!pip install fastquant -qq
!pip install yfinance -qq
!pip install vaderSentiment -qq
!pip install tweet-preprocessor -qq
!pip install pyLDAvis -qq
!pip install gensim -qq
!pip install --upgrade smart_open -qq
import pandas as pd
import numpy as np
import seaborn as sns
import matplotlib.pyplot as plt
import re
import matplotlib.dates as dates
import datetime as dt
from datetime import timedelta
import warnings
from wordcloud import WordCloud, STOPWORDS
from gensim.models import LdaMulticore
import pyLDAvis.gensim
%matplotlib inline
pyLDAvis.enable_notebook()
from gensim.corpora.dictionary import Dictionary
from networkx.algorithms import bipartite
from gensim.models.tfidfmodel import TfidfModel
from gensim.corpora.dictionary import Dictionary

 
import yfinance as yf
from vaderSentiment.vaderSentiment import SentimentIntensityAnalyzer
 

import preprocessor as p # Cleaner for tweet data.
import spacy
nlp=spacy.load('en_core_web_sm')
spacy_stopwords = nlp.Defaults.stop_words
import nltk
nltk.download('wordnet')
from nltk.tokenize import TweetTokenizer
stop_words = spacy_stopwords
tknzr = TweetTokenizer()
from nltk.stem import WordNetLemmatizer
lemmatizer = WordNetLemmatizer()

import itertools
from collections import Counter 
from fastquant import backtest

import tensorflow as tf
from tensorflow import keras
from sklearn.preprocessing import MinMaxScaler
from keras.preprocessing.sequence import TimeseriesGenerator
from keras.models import Sequential
from keras.layers import Dense, Dropout
from keras.layers import LSTM
from keras.layers import Bidirectional
from sklearn.linear_model import LinearRegression
from sklearn.tree import DecisionTreeRegressor
from sklearn.model_selection import train_test_split
from keras.callbacks import EarlyStopping
from sklearn.feature_extraction.text import TfidfVectorizer

import re
import networkx as nx
import community as community_louvain
import holoviews as hv
from holoviews import opts
hv.extension('bokeh')
from bokeh.plotting import show
[nltk_data] Downloading package wordnet to /root/nltk_data...
[nltk_data]   Package wordnet is already up-to-date!

</img> </img>

Tesla stock data

The Tesla stock data is imported by use of the package Yfinance, which imports data directly from Yahoo finance. This package allows for import of stock prices by day, but also all the way down to individual minutes or hours of a day. We choose to go by days, and not a more granular level like hours or minutes of days, as we need to be able to match the tweets of a day to the stock prices, and going down to hours or minutes makes this matching much more difficult, and may become a lot more arbitrary, as the hour a tweet is matched to may not be the hour that the tweet actually has an impact on the stock price. Therefore we go by day, in order to reduce the chance of arbitrary matching of stock prices and tweets, although this is still something we need to take into account.

tesla_tick = yf.Ticker('TSLA')
tesla_tick_real = yf.Ticker('TSLA')

tesla = tesla_tick.history(interval='1d', start='2020-01-01', end='2020-12-19')
tesla_now = tesla_tick_real.history(interval='1d', start='2020-12-18', end='2021-01-02')
tesla
Open High Low Close Volume Dividends Stock Splits
Date
2020-01-02 84.90 86.14 84.34 86.05 47660500 0 0.0
2020-01-03 88.10 90.80 87.38 88.60 88892500 0 0.0
2020-01-06 88.09 90.31 88.00 90.31 50665000 0 0.0
2020-01-07 92.28 94.33 90.67 93.81 89410500 0 0.0
2020-01-08 94.74 99.70 93.65 98.43 155721500 0 0.0
... ... ... ... ... ... ... ...
2020-12-14 619.00 642.75 610.20 639.83 52040600 0 0.0
2020-12-15 643.28 646.90 623.80 633.25 45223600 0 0.0
2020-12-16 628.23 632.50 605.00 622.77 42095800 0 0.0
2020-12-17 628.19 658.82 619.50 655.90 56270100 0 0.0
2020-12-18 668.90 695.00 628.54 695.00 222126200 0 0.0

245 rows × 7 columns

Twitter data

We collect tweets by use of the the package Twint. It collects the tweets on an individual basis, and collects the newest first by the date and time it is created at. We choose to specify a minimum of likes for each tweet to have to 10, as this reduces the chance of having bots that product spamtweets, which was a problem before we introduced this limit. We do note that this limit is arbitrary in itself, as any given number above a few likes would most likely have sufficed, although a higher number does reduce the chance of bots simply liking bot-created tweets as well. The min likes does, however, also have a practical implication as twint kept crashing, as it reached a threshold of around 30.000-40.000 tweets. Without this limit we would have needed to run Twint 30-40 times over, whereas we only needed to run it twice with this limit. The likes_limit does also reflect som of the thought relating to the impact tha the tweet may have on other peers, as a minimum like of 10 (or any other number for that matter), may indicate som peer-reviewing and agreeableness among twitter-peers, which may very well have an impact on the stock price. We run this code below and save it as two csv-files locally.

#import twint
#import nest_asyncio
#nest_asyncio.apply()
#c = twint.Config()
#c.Search = "$TSLA"
#c.Lang = "en"
#c.Min_likes = 10
#c.Limit = 1000000
#c.Store_csv = True
#c.Output = "$TSLA_minlikes101.csv"

#twint.run.Search(c)

With the two csv-files saved locally in colab called $TSLA_minlikes101 and 102. These dataframes are hereafter appended to each other and thereby a single dataframe is created. This is uploaded to Github:

#We don't run this code, as this was done on the 18th of december,
#and does not need to be replicated.

#df_1 = pd.read_csv('$TSLA_minlikes101.csv')
#df_2 = pd.read_csv('$TSLA_minlikes102.csv')

#change the date to datetime
#df_1['date'] = pd.to_datetime(df_1['date'])  
#df_2['date'] = pd.to_datetime(df_2['date']) 

#Create filering "masks", in order to ensure that the dataframes don't have
#overlapping dates:
#mask1 = (df_1['date'] > '2020-07-14') & (df_1['date'] <= '2020-12-18')
#mask2 = (df_2['date'] >= '2020-01-01') & (df_2['date'] <= '2020-07-14')

#apply each mask
#df_1 = df_1.loc[mask1]
#df_2 = df_2.loc[mask2]

#append the dataframes
#df = df_1.append(df_2)

#reset the index
#df = df.reset_index()
#df.drop(columns=['index'])

#The dataframe was hereafter exported and uploaded to github.
df = pd.read_csv('https://github.com/JacobBaade/Tesla/blob/main/$TSLA_1_year.zip?raw=true', compression='zip')

Initial look at the dataframe containing tweets:

df.info()
<class 'pandas.core.frame.DataFrame'>
RangeIndex: 76169 entries, 0 to 76168
Data columns (total 38 columns):
 #   Column           Non-Null Count  Dtype  
---  ------           --------------  -----  
 0   Unnamed: 0       76169 non-null  object 
 1   index            76169 non-null  object 
 2   id               76169 non-null  object 
 3   conversation_id  76169 non-null  object 
 4   created_at       76169 non-null  object 
 5   date             76169 non-null  object 
 6   time             76169 non-null  object 
 7   timezone         76169 non-null  float64
 8   user_id          76169 non-null  object 
 9   username         76169 non-null  object 
 10  name             76167 non-null  object 
 11  place            1 non-null      object 
 12  tweet            76168 non-null  object 
 13  language         76168 non-null  object 
 14  mentions         76167 non-null  object 
 15  urls             76167 non-null  object 
 16  photos           76167 non-null  object 
 17  replies_count    76167 non-null  float64
 18  retweets_count   76167 non-null  float64
 19  likes_count      76167 non-null  float64
 20  hashtags         76167 non-null  object 
 21  cashtags         76168 non-null  object 
 22  link             76167 non-null  object 
 23  retweet          76167 non-null  object 
 24  quote_url        13511 non-null  object 
 25  video            76167 non-null  float64
 26  thumbnail        25064 non-null  object 
 27  near             0 non-null      float64
 28  geo              0 non-null      float64
 29  source           0 non-null      float64
 30  user_rt_id       0 non-null      float64
 31  user_rt          0 non-null      float64
 32  retweet_id       0 non-null      float64
 33  reply_to         76167 non-null  object 
 34  retweet_date     0 non-null      float64
 35  translate        0 non-null      float64
 36  trans_src        0 non-null      float64
 37  trans_dest       0 non-null      float64
dtypes: float64(15), object(23)
memory usage: 22.1+ MB

We can see that a lot of the columns are either complete empty or missing a lot of values.

df.head()
Unnamed: 0 index id conversation_id created_at date time timezone user_id username name place tweet language mentions urls photos replies_count retweets_count likes_count hashtags cashtags link retweet quote_url video thumbnail near geo source user_rt_id user_rt retweet_id reply_to retweet_date translate trans_src trans_dest
0 0 0 1339879625783046144 1.33988e+18 2020-12-18 10:26:11 UTC 2020-12-18 10:26:11 0.0 9.85244e+17 teslaconomics Teslaconomics NaN REMEMBER: Today is one of the most critical da... en [] [] [] 3.0 0.0 9.0 ['tesla'] ['tsla'] https://twitter.com/Teslaconomics/status/13398... False NaN 0.0 NaN NaN NaN NaN NaN NaN NaN [] NaN NaN NaN NaN
1 1 1 1339877034240008192 1.33988e+18 2020-12-18 10:15:53 UTC 2020-12-18 10:15:53 0.0 1.77767e+07 becomingguru Lakshman Prasad NaN I nicely set up Google Sheets that auto-update... en [] ['http://hodlreturns.com/'] ['https://pbs.twimg.com/media/Epgysl1U0AIEIDm.... 3.0 3.0 16.0 ['btc'] ['tsla', 'zm'] https://twitter.com/becomingGuru/status/133987... False NaN 1.0 https://pbs.twimg.com/media/Epgysl1U0AIEIDm.jpg NaN NaN NaN NaN NaN NaN [] NaN NaN NaN NaN
2 2 2 1339874504626081796 1.33987e+18 2020-12-18 10:05:50 UTC 2020-12-18 10:05:50 0.0 3.02045e+08 alpsoy66 Alp NaN The key question is, will there be liquidity s... en [] [] [] 3.0 0.0 12.0 [] ['tsla'] https://twitter.com/Alpsoy66/status/1339874504... False NaN 0.0 NaN NaN NaN NaN NaN NaN NaN [] NaN NaN NaN NaN
3 3 3 1339868092252315648 1.33987e+18 2020-12-18 09:40:21 UTC 2020-12-18 09:40:21 0.0 1.30009e+18 o00o_investment ぶたのはな🐽30代育児投資家 NaN 今週もお疲れ様でした😊 🇯🇵日本株は日経⤵️TOPIX・マザーズ⤴️のマチマチでしたね🌀 ... ja [] [] [] 5.0 0.0 31.0 [] ['tsla'] https://twitter.com/o00o_investment/status/133... False NaN 0.0 NaN NaN NaN NaN NaN NaN NaN [] NaN NaN NaN NaN
4 4 4 1339867526994378754 1.33987e+18 2020-12-18 09:38:06 UTC 2020-12-18 09:38:06 0.0 1.06005e+18 eliburton_ Eli NaN Tesla is more than a stock $tsla https://t.co... en [] [] ['https://pbs.twimg.com/tweet_video_thumb/Epgq... 0.0 0.0 15.0 [] ['tsla'] https://twitter.com/EliBurton_/status/13398675... False NaN 1.0 https://pbs.twimg.com/tweet_video_thumb/EpgqaW... NaN NaN NaN NaN NaN NaN [] NaN NaN NaN NaN

After creating our dataframe, we need to filter the tweets by language, as the package we use for sentiment classification later on, can only recognize english text. Twint should have been able to filter based on language, but the implementation of this in Twint did not work when we collected the data.

Furthermore we enforce the minimum likes count as a few tweets with less than 10 slipped by the filter we applied in Twint.

df = df[df['likes_count'] >= 10]
df = df[df.language == 'en']
df.info()
<class 'pandas.core.frame.DataFrame'>
Int64Index: 68586 entries, 1 to 76168
Data columns (total 38 columns):
 #   Column           Non-Null Count  Dtype  
---  ------           --------------  -----  
 0   Unnamed: 0       68586 non-null  object 
 1   index            68586 non-null  object 
 2   id               68586 non-null  object 
 3   conversation_id  68586 non-null  object 
 4   created_at       68586 non-null  object 
 5   date             68586 non-null  object 
 6   time             68586 non-null  object 
 7   timezone         68586 non-null  float64
 8   user_id          68586 non-null  object 
 9   username         68586 non-null  object 
 10  name             68585 non-null  object 
 11  place            0 non-null      object 
 12  tweet            68586 non-null  object 
 13  language         68586 non-null  object 
 14  mentions         68586 non-null  object 
 15  urls             68586 non-null  object 
 16  photos           68586 non-null  object 
 17  replies_count    68586 non-null  float64
 18  retweets_count   68586 non-null  float64
 19  likes_count      68586 non-null  float64
 20  hashtags         68586 non-null  object 
 21  cashtags         68586 non-null  object 
 22  link             68586 non-null  object 
 23  retweet          68586 non-null  object 
 24  quote_url        11898 non-null  object 
 25  video            68586 non-null  float64
 26  thumbnail        21702 non-null  object 
 27  near             0 non-null      float64
 28  geo              0 non-null      float64
 29  source           0 non-null      float64
 30  user_rt_id       0 non-null      float64
 31  user_rt          0 non-null      float64
 32  retweet_id       0 non-null      float64
 33  reply_to         68586 non-null  object 
 34  retweet_date     0 non-null      float64
 35  translate        0 non-null      float64
 36  trans_src        0 non-null      float64
 37  trans_dest       0 non-null      float64
dtypes: float64(15), object(23)
memory usage: 20.4+ MB

Next step is to look into the cashtags in order to narrow the scope of cashtags that our twitter data contains. Some tweets contain many different cashtags like $appl and other stocks cashtags, which might be tweets about able that have little relation to Tesla specifically. We do a value count to see the most prominent cashtags, these show up as multiple cashtags if more than one cashtag is used.

df.cashtags.value_counts()
['tsla']                                                                                                                  45947
['tsla', 'tslaq']                                                                                                          6880
['tslaq', 'tsla']                                                                                                          1748
['tsla', 'tsla']                                                                                                           1527
['aapl', 'tsla']                                                                                                            283
                                                                                                                          ...  
['tsla', 'tslaq', 'bggkx']                                                                                                    1
['twtr', 'bynd', 'pton', 'ttd', 'sq', 'tsla']                                                                                 1
['aapl', 'wfc', 'fhn', 'msft', 'intc', 'c', 'mos', 'viac', 'csco', 'txn', 'cnc', 'spce', 'tsla', 'mrna', 'pfe', 'fdx']        1
['tsla', 'tm', 'qs', 'tm', 'qs', 'tm', 'tslaq']                                                                               1
['tsla', 'catl', 'sqm', 'alb', 'ore', 'lac', 'lpi', 'nlc', 'ml', 'lke', 'gln', 'lthm', 'alb', 'pll']                          1
Name: cashtags, Length: 7169, dtype: int64

As we can see the main part of all tweets contain one of the four cashtags with the highest value count, so we remove anything below top 4, which is done simply by removing any cashtag below 1000 occurences:

df = df[df.groupby('cashtags')['cashtags'].transform('size') > 1000]
df.cashtags.value_counts()
['tsla']             45947
['tsla', 'tslaq']     6880
['tslaq', 'tsla']     1748
['tsla', 'tsla']      1527
Name: cashtags, dtype: int64

Next step is to choose the columns that we will actually need. We use .copy() to avoid any warning from python

df = df.iloc[:, [4,5,9,12,17,18,19]].copy().reset_index(drop=True)
df['date'] = pd.to_datetime(df['date'], errors='coerce')
df.info()
<class 'pandas.core.frame.DataFrame'>
RangeIndex: 56102 entries, 0 to 56101
Data columns (total 7 columns):
 #   Column          Non-Null Count  Dtype         
---  ------          --------------  -----         
 0   created_at      56102 non-null  object        
 1   date            56102 non-null  datetime64[ns]
 2   username        56102 non-null  object        
 3   tweet           56102 non-null  object        
 4   replies_count   56102 non-null  float64       
 5   retweets_count  56102 non-null  float64       
 6   likes_count     56102 non-null  float64       
dtypes: datetime64[ns](1), float64(3), object(3)
memory usage: 3.0+ MB
df.describe()
replies_count retweets_count likes_count
count 56102.000000 56102.000000 56102.000000
mean 8.499626 9.796603 101.542351
std 33.286046 38.240599 413.977094
min 0.000000 0.000000 10.000000
25% 2.000000 1.000000 22.000000
50% 4.000000 3.000000 39.000000
75% 9.000000 9.000000 88.000000
max 5017.000000 5373.000000 46922.000000

Initial Exploratory Data Analysis

We start by doing som simple plots of the stocks prices development, as compared to the amount of tweets, replies, retweets, likes and a created columns called "traction" per day.

df['tweet_count'] = 1
df1 = df.groupby(df['date'].dt.date)['replies_count'].agg(['sum'])
#retweets
df2  = df.groupby(df['date'].dt.date)['retweets_count'].agg(['sum'])
#likes
df3  = df.groupby(df['date'].dt.date)['likes_count'].agg(['sum'])
#count
df4  = df.groupby(df['date'].dt.date)['tweet_count'].agg(['sum'])
df1.rename(columns={'sum':'replies'}, inplace=True)
df2.rename(columns={'sum':'retweets'}, inplace=True)
df3.rename(columns={'sum':'likes'}, inplace=True)
df4.rename(columns={'sum':'tweet_count'}, inplace=True)
groupby = df1.merge(df2, left_index=True, right_index=True)
groupby = groupby.merge(df3, left_index=True, right_index=True)
groupby = groupby.merge(df4, left_index=True, right_index=True)
groupby
replies retweets likes tweet_count
date
2020-01-01 586.0 984.0 7688.0 110
2020-01-02 794.0 1337.0 9823.0 158
2020-01-03 1572.0 2963.0 24469.0 249
2020-01-04 619.0 1312.0 8435.0 93
2020-01-05 399.0 638.0 5201.0 81
... ... ... ... ...
2020-12-14 2694.0 1264.0 29883.0 292
2020-12-15 2295.0 1161.0 26759.0 282
2020-12-16 2511.0 1175.0 25761.0 264
2020-12-17 3864.0 2194.0 40237.0 420
2020-12-18 439.0 227.0 4804.0 56

353 rows × 4 columns

#replies
x1=groupby.index
y1=groupby['replies']

#retweets
x2=groupby.index
y2=groupby['retweets']

#likes
x3=groupby.index
y3=groupby['likes']

#count of tweets
x4=groupby.index
y4=groupby['tweet_count']

#tesla closing price
x_t=tesla.index
y_t=tesla['Close']

#tesla Volume
x_v=tesla.index
y_v=tesla['Volume']
fig, axs = plt.subplots(6,figsize=(15,15))
axs[0].plot(x1,y1, 'tab:green')
axs[0].set_title('replies per day')
axs[1].plot(x2,y2, 'tab:orange')
axs[1].set_title('retweets per day')
axs[2].plot(x3,y3, 'tab:red')
axs[2].set_title('likes per day')
axs[3].plot(x4,y4, 'tab:purple')
axs[3].set_title('tweets per day')
axs[4].plot(x_t, y_t, 'tab:blue')
axs[4].set_title('TSLA stock price')
axs[5].plot(x_v, y_v, 'tab:blue')
axs[5].set_title('TSLA trading volume')
idx = pd.date_range('2020-01-01', '2020-12-18')
s = pd.Series(np.random.randn(len(idx)), index=idx)
plt.tight_layout()

We see clear spikes in especially replies, likes and tweets per day, when the stockprice is either in- or decrasing at a rapid pace. The spikes in retweets looks to be less prominent. Do keep in mind that the amount of likes and replies are hard to match to a specific day. When a tweet for instance has a 1000 likes, these may come over the following week. The same can, however, be said about the tweets themselves, even though they are easy to place in time, the effect on the stockprice can only come at a later time than the actual tweet is created at. This does mean though, that they are a better predictor of changes in teslas stock price, as compared likes, replies or retweets, which may come at any given time after the tweet is published. Therefore the count of tweets will be our focus - not because likes, replies and retweets are not just as interesting as predictors, but because we can't place them in time with the data we have collected.

Another reason for choosing the count of tweets over likes, replies and retweets is that if the classifier we use to find the sentiment of any given tweet classifies wrong, the impact of that misclassification matters much less, as compared to misclassifying a tweet with 40.000 likes. It does also mean that the specific "traction" that a highly liked, replied and/or retweeted tweet can gain, does not play any role, which does not reflect the real world, where one tweet that are highly liked will most likely have a higher impact on Tesla's stock price as compared ot an identical tweet with few likes. The introduction of a minimum of 10 likes, does ensure that a tweet at least did gain some peer-reviewing.

To classify whether our data of tweets about $Tsla is regarded as a positive, neutral, or negative tweet we will be using VADER to perform a sentiment analysis. VADER, Valence Aware Dictionary and sEntiment Reasoner, is a rule-based sentiment analysis tool. This tool is heavenly used to perform sentiment analysis on social media data, which our data in the notebook is (Twitter data).

VADER uses a sentiment lexicon to classify whether features or words can be label as either positive or negative. VADER is pretrained using 10 independent humans to evaluate/rate each token. Each token is rated on a scale from -4 = Extremely Negative to 4 = Extremely Positive. Based on each word vader calculates a compound score, which is used to determine whether a word in it's given context is more so negative, positive or neutral.

The creators of vader recommends the following rules for the categories:

positive sentiment: compound score >= 0.05

neutral sentiment: (compound score > -0.05) and (compound score < 0.05)

negative sentiment: compound score <= -0.05

To see each word or token that VADER has been train to reconise and label the creators of VADER have made this list: https://github.com/cjhutto/vaderSentiment/blob/master/vaderSentiment/vader_lexicon.txt

Definition of positive, negative and neutral:

We define positive tweets as tweets that will contribute to a more positive view of Tesla as a company or specifically as a stock and thereby help drive the stockprice up (and not down).

We define negative tweets as tweets that will contribute to a more negative view of Tesla as a company or specifically as a stock and thereby help drive the stockprice down (and not up). (Mukhtar, 2020; Rao & Srivastava, 2012)

Neutral are tweets that will have no effect on the stock price. We do also see the neutral tweets as a bin for VADER to put all the tweets it has a hard time classifying.

sid = SentimentIntensityAnalyzer()

Here are some examples of how VADER classifies twitter data from our dataset:

a = 'Thanks Elon. Oh I just followed you so feel free to shoot me a quick Dm next time before you say $tsla stock is too high.   I’ve been daytrading to pass the time.  Not going great.   (Earmuffs SEC)'
sid.polarity_scores(a)
{'compound': 0.1985, 'neg': 0.123, 'neu': 0.736, 'pos': 0.14}

VADER says this is positive, which is kinda true, as this tweet is about Elon Musk saying the stock price is too high, although this tweet is hard to determine what the polarity score should be, as it is hard to discern how this tweet could impact the share prices, as it is a follower who talks about Elon saying the stock is too high, which might make it more neutral.

It perfectly illustrates the problem of classifying tweets, as this can be incredibly hard, even for a person to do.

b = "If you rename companies   $tsla = Earth Saver Inc #spacex = Earth Backup Inc  @elonmusk"
sid.polarity_scores(b)
{'compound': 0.0, 'neg': 0.0, 'neu': 1.0, 'pos': 0.0}

Here VADER says it is neutral, whereas this tweet demonstrates a clear bias towards a positive future ahead of Tesla. It is, however, impossible for an algorithm like VADER to take the context of the tweet into consideration (ie. earth saver being positive as we are destroying our planet), as it simply runs each word and sentence by it's lexicon.

c = "in no particular order"
sid.polarity_scores(c)
{'compound': -0.296, 'neg': 0.423, 'neu': 0.577, 'pos': 0.0}

The code above demonstrates one of the core problems with VADER: "No" makes this sentence negative.

We still choose to use VADER, as it performed the best in our initial test, where we compared it to textblob. Admittedly we did not try any manual labelling and used to train any algorithms by ourself. This might have improved our classification, although it would also have taken much more time. Further refinement could also been done by use of Prodigy, although it came at a cost of 390 dollars, as we, to our knowledge, could not access it without a license as student either.

df['scores'] = df['tweet'].apply(lambda tweet: sid.polarity_scores(tweet))
df['compound']  = df['scores'].apply(lambda score_dict: score_dict['compound'])
df['comp_score'] = df['compound'].apply(lambda c: 
                                                'pos' if c > 0.05 
                                                else ('neg' if c < -0.05 else 'neu'))

df.head()
created_at date username tweet replies_count retweets_count likes_count tweet_count scores compound comp_score
0 2020-12-18 10:05:50 UTC 2020-12-18 alpsoy66 The key question is, will there be liquidity s... 3.0 0.0 12.0 1 {'neg': 0.0, 'neu': 0.764, 'pos': 0.236, 'comp... 0.8689 pos
1 2020-12-18 09:38:06 UTC 2020-12-18 eliburton_ Tesla is more than a stock $tsla https://t.co... 0.0 0.0 15.0 1 {'neg': 0.0, 'neu': 1.0, 'pos': 0.0, 'compound... 0.0000 neu
2 2020-12-18 09:09:46 UTC 2020-12-18 tesla_tizzler 5/ As for $TSLA, active fund manager buying wi... 1.0 0.0 19.0 1 {'neg': 0.0, 'neu': 0.83, 'pos': 0.17, 'compou... 0.5994 pos
3 2020-12-18 09:08:04 UTC 2020-12-18 tesla_tizzler 4/ If this was the case, a group of HFs could ... 1.0 1.0 23.0 1 {'neg': 0.0, 'neu': 0.93, 'pos': 0.07, 'compou... 0.5106 pos
4 2020-12-18 09:07:32 UTC 2020-12-18 tesla_tizzler 3/ The large Special Situations funds e.g. Gol... 1.0 1.0 21.0 1 {'neg': 0.0, 'neu': 0.774, 'pos': 0.226, 'comp... 0.7845 pos
df.comp_score.value_counts()
pos    26146
neu    16048
neg    13908
Name: comp_score, dtype: int64

Checking our results

In order to see how Vader performs we want to print out the tweets that it classifies as either positive, negative or neutral categorically, so we can go through the first 200-300 tweets, and see if we find any misclassifications.

j=1
sortedDF = df.sort_values(by=['comp_score'])
sortedDF.compound = sortedDF.compound.astype(str)
for i in range(0, sortedDF.shape[0]):
  if (sortedDF['comp_score'][i] == 'pos'):
    print(str(j) + ') ' + sortedDF['compound'][i] + ') '+sortedDF['tweet'][i])
    print()
    j = j+1
Streaming af output blev afkortet til de sidste 5000 linjer.
23647) 0.3328) The relentless refrain from $TSLA bulls is that they are production constrained. If that is true, there should be NO SEASONALITY effect whatsoever in Q1. Run Fremont full steam and sell every care you can make Elon. Infinite demand. $TSLAQ

23648) 0.0772) Prime Minister Supports Tesla Gigafactory 4 Berlin, Asked Critics to Patience.  $TSLA #Tesla #Germany #GF4    https://t.co/2XXIpCiiY4

23649) 0.7184) Anyone else perplexed how a sensationalist TV pundit stock pumper, who slated $TSLA for 5 years has suddenly, in about 3 months, become the voice of #Tesla investing? Sorry guys, but he’ll move onto the next shout on the first pull back, having taken the credit for our resolve.

23650) 0.5411) $TSLA delivered 54 cars in the Netherlands in Jan 20.  They averaged less than 2 a day.  That is less than they delivered in Jan 19, before Model 3 deliveries got rolling.  Even Jan 18 was a higher number (86).  Good thing for $TSLA longs they can count on China. Oh wait.  Doh!

23651) 0.5867) Pay attention, this is true. Use the list and DON'T mute accounts, block them all. $tslaQ $TSLA

23652) 0.6369) Cure ready in 3 months maybe, 6 months definitely.  $TSLA $TSLAQ

23653) 0.2732) @stevenleebeyer1 @TeslaStars @Tesla How much of the $50B+ added to $TSLA market cap in just the last quarter will flow back to @Tesla in 2020 via new and used vehicle sales, solar panel/roof and Powerwall sales, as well as FSD and other software upgrades? 🚀  $TSLA #NotSellingAShareBefore10000

23654) 0.296) Any updates on @teslacharts surviving the squeeze that ended November 12th?  For some reason I can't see his tweets 🤔 $TSLA  https://t.co/RrT9tmkNvv

23655) 0.2732) "In 10 years, @Tesla is well positioned to be one of, if not THE largest company in the world..."  Watch the full video here:  https://t.co/1zTPmLIVrW  $TSLA #ClimateAction #ClimateCrisis #ClimateChange  https://t.co/spL1tPWvzg

23656) 0.69) Tesla's future is looking bright!  Thank you, @ARKInvest for your research $TSLA #Tesla @Tesla @CathieDWood  @skorusARK  https://t.co/Ww9HNeOyKP

23657) 0.7992) $TSLA $TSLAQ To my Tesla Q friends. Don’t bother shorting this parabolic move...yes we will be right eventually but I have seen this before in 99-00 days. You need a clear topping pattern on a daily &amp; weekly basis. Shoot it in the back. Until then trade weekly yolo calls small😂

23658) 0.6249) "I had a great start to the year. Then I kind of went against my own rules..." $TSLA  https://t.co/nYM3gzEicv

23659) 0.8687) Tesla $TSLA earnings win praise even from doubters: 'We fully admit things are better than we expected'  "Given our decision to downgrade when shares were $150 lower, we accept the criticism," wrote Kallo, who has a neutral rating on the stock &amp; raised his PT to $650 from $525.

23660) 0.9251) Can $TSLA experience a major drop? Yes, and expect it to at some point.  But this is an incredibly powerful flywheel: rapidly increasing EBITDA + rapidly declining leverage ratios + trending FCFROI. This is what value creation looks like.

23661) 0.8094) Got to love the Tesla bullish case from ARK. I feel that trying to value five years from now is impossible. Let alone the next year...  But Tesla has an incredible future ...  Hope they are right! $tsla

23662) 0.4545) Tesla Semi Truck, Disruption for Truck Makers and Railroad Industry  And it’s coming by the end of this year!!! Can’t wait ✨✨  $TSLA #Tesla #Semi   https://t.co/BjcEpXTY0j

23663) 0.4329) Who is ready to buy at the next $tsla milestone $694.20?? #SetYourLimitOrder @elonmusk  https://t.co/MUnV2NZ6Gv

23664) 0.4404) $TSLAQ are just this generations mechanism of moving money from the pockets of the oil industry (and their muppet supporters and dupes), into the pockets of $TSLA longs.

23665) 0.6369) .@realvision makes an important and valid point here: when @wolfejosh speaks, you can gain a lot of insight by understanding that he has never been, and will never be, right about #Tesla. $TSLA $TSLAQ #LFG #CYAZ

23666) 0.5719) Why Berghain, Berlin’s (in)famous techno temple, might have played a role in @elonmusk’s decision to build @Tesla’s fourth Gigafactory in the outskirts of Berlin &amp; what makes that location so unique:   🏢✨🚘 $TSLA  https://t.co/qyno9ivqsv

23667) 0.836) @realvision @wolfejosh @profplum99 @Lux_Capital Calling all $TSLA bulls is exactly what Josh Wolfe doesn’t do. He blocks us all so we can’t see or reply to gems such as this Oct 2019 exchange (pre-Q3 &amp; Q4 profits &amp; Free Cash Flow positive) when he and his short selling pals daydreamed about Tesla’s ‘arterial bleeding’:  https://t.co/COO2kkIJKO

23668) 0.4019) $TSLA - 1/Tesla will be greatly impacted and the delays will be a great deal longer than @ZKirkhorn suspects.  I do not believe Tesla Shanghai will be be at 100% of PRE CNY production rate til at least end of March.

23669) 0.8402) While I agree with the model on other fronts and respect the firm for having the guts to step out of the mainstream thinking, the market share assumption explains why their $TSLA "Bear Case" scenario of $1,500 per share differs so dramatically from my #NotSellingAShareBefore10000

23670) 0.4588) In that sense, $TSLA is unmatched across sectors and in history: There has never been another company in such a dominant competitive position, which has only grown with time; and given @Tesla's focus on innovation and ever-quickening feedback loops, how can this fact ever change?

23671) 0.5574) First, #NotSellingAShareBefore10000 should be compared to Ark's "Bear Case," not the "Bull Case" or the "Expected Value" for 2024. $10,000 is not a price target; it's where $TSLA *starts* to make sense. In other words, selling a share today below $10,000 is a suboptimal decision.

23672) 0.5859) "...it’s going to be pretty nuts … and I think actually the product is better than people realize even, they don’t have enough information to realize the awesomeness of it. It’s just great.”"  Wait, what? 🤯 $TSLA $TSLAQ Musk: "Alien Technology"  https://t.co/hKgBW6RhLt

23673) 0.6369) Tesla Is A Touchdown Among @NFL Players, And It's Just Getting Started  [Video] Listen to the real people, they love #Tesla   $TSLA    https://t.co/wdcT4siG1z

23674) 0.296) Here's How Tesla Shares Will Hit $7,000 By 2024, According To @ARKInvest $TSLA  https://t.co/uV6sVIofg2

23675) 0.0772) TSLAQ are those who get paid to BS about $TSLA on Twitter, &amp; that’s why they assume that we (Longs) also get paid.  We r the owners, investors &amp; supporters, we paid for Tesla products and we are here to go after all TSLAQ’s BS.  I feel sorry for those victims who believe their BS  https://t.co/7FH31A6IZk

23676) 0.1531) Claim: They commit criminal acts every minute that you can look up in the news. 🤔  Fact Check: True 🤷‍♂️ $TSLA $TSLAQ  https://t.co/zxAQtlKuRq

23677) 0.2263) The perfect Model 3 ‘Production Hell’ analogy from @elonmusk talking $TSLA to @thirdrowtesla.  You either keep going, run faster and make it over that hole or you get crushed and it’s game over.  #Tesla  https://t.co/crMSSEte2I

23678) 0.296) Norman, have you ever sold any $TSLA shares?  https://t.co/p8ypTC2HrI

23679) 0.765) And finally, Tesla will be able to design and build factories better, cheaper and quicker than anyone else, so obviously other big companies will pay for that to happen, so let's throw that in as well.  $TSLA bulls, you're welcome.  $TSLAQ #dumdums, my condolences.

23680) 0.7964) One thing the media and $TSLAQ continues to miss is that Elon doesn’t convince others of a false reality. He’s repeatedly proven right. Elon is good at showing others how amazing the future can be. The market is waking up. $TSLA  https://t.co/8emGrBNdy5

23681) 0.7558) @luismen1991 I cannot disagree more. Evs need less service and Elon will never make a car that easily need service! Imagine $TSLA brand value loss. Cybertruck and no profit on superchargers show you exactly the opposite. Revenues will come from super high margins, software, insurance, robotax

23682) 0.9337) 🚨Special $TSLAQ Departures update 🚨  @zerohedge  The End.  😂🤣😂🤣😂  $TSLA 🤟  https://t.co/uBDqlHZ1jT

23683) 0.3818) Credit to $TSLAQ for pointing out that it was absurd for $TSLA to be trading in the $300 range.  https://t.co/mkW0ppJafy

23684) 0.6059) Pier 80 Today®...this is old, pretty damn ugly Grand Mark, which has been here for two days; we don't know where it's going yet, but it better be the EU, Tesla fans. Also, it's getting rather green around these parts. $tslaQ $TSLA  https://t.co/KV9SeG159b

23685) 0.6588) Great stuff! $TSLA     https://t.co/SyxTsclvil

23686) 0.296) $Tsla going to $1000 per share... and soon.  Gann has spoken.  https://t.co/IbiIo6C6wU

23687) 0.4019) I took some of my $TSLA investment to donate to #AndrewYang 's campaign. There's only a small window open to support #Yang2020 and years more to invest back into Tesla. #YangSurge #YangMoneyBomb  https://t.co/JAb3LohL09

23688) 0.6958) @ValueAnalyst1 wait. wut? all that bullishness and not even a mention of the potential of $TSLA Energy? 🤔 i’m expecting it be the AWS of @Tesla! ⚡️😎🚀

23689) 0.4404) “I begged him to stay” 😂   $TSLA  https://t.co/l0Mij6s6cc

23690) 0.5859) Fun Fact: While Cathie Wood was on Bloomberg today touting how $TSLA is "still undervalued," her firm sold another 9,274 shares   https://t.co/kAHhg6pspM  https://t.co/fjR8HAeGrp

23691) 0.25) Wow.  All that site did was document Musk’s lies.  Did the servers run out of storage?  $tsla

23692) 0.6249) Calling all $TSLA bulls — Tesla’s autopilot is a dangerous gimmick. When @wolfejosh speaks, it is in your best interest to listen. @profplum99 @Lux_Capital  https://t.co/TsBQg89Q2B  https://t.co/m389WhzJLp

23693) 0.1697) Hey @elonmusk ,  Any chance to host next $tsla shareholders meeting in a stadium and then turn into a concert with your songs ? It will be EPIC. 🎉🕺  Bring on BORING meeting in a stadium with concert.  @thirdrowtesla @vincent13031925 @SamTalksTesla @Kristennetten  https://t.co/2uMajhaoqt

23694) 0.25) $TSLAQ uncle Jim, on November 21, about $300 ago: “Tesla is and remains one of our biggest and our best short positions.” No wonder @WallStCynic musings about $TSLA become weirder and weirder.

23695) 0.8692) LONG AND STRONG! 💪  $TSLA closes at all time time high at $650.57! ⭐️  Congratulations @elonmusk and @Tesla ! 👏👏👏  #Tesla  https://t.co/tHdydyytdr

23696) 0.4215) Lol @DaniloKawasaki - hey @vincent13031925 he’s going for a #Cybertruck instead of a taycan. #tesla $tsla

23697) 0.2263) @skorusARK 25% probability $TSLA could be worth 🚨$15,000/share 🚨in 2024? 🤯   @elonmusk @vincent13031925 @thirdrowtesla @Kristennetten @p_ferragu @munster_gene @freshjiva @heydave7    https://t.co/GIH6KgGQ5t

23698) 0.9134) Love this! Btw, I have a sweet $Tsla Tesla story coming out on @Benzinga on Monday. You guys will love it.

23699) 0.4213) Another great piece showcasing the depth of ARK’s research on one of the most disruptive innovators of our time, $TSLA!

23700) 0.7506) Tesla $TSLA will join SP500 one day, my best guess is within couple of years if not earlier.   The final judgment day for TSLAQ

23701) 0.0516) SHORT $TSLA  these guys, @ValueAnalyst1 &amp; @jpr007 must be drunk  if their EV growth rates are anywhere close to reality, they should bear in mind that lithium &amp; c. prices - as battery ingredients - would spike to the moon  #KeepDreaming

23702) 0.5719) I don't know why this makes me happy.  $TSLA #NotSellingAShareBefore10000

23703) 0.7177) A Billion dollar company yet Customers, Families, People are Left to Fend for themselves w damages caused solely by ⁦@Tesla!   Sorry but I don’t give an F about the stock 🤷🏻‍♀️⁩  $TSLA $TSLAQ #Tesla  Tesla stock wrapping up best month since 2013  https://t.co/35nxb7LO3a

23704) 0.7709) You may not feel like your actions can make a difference but all our small steps have led to this point! Divesting from oil, cancelling credit cards from @chase &amp; other banks w/ Fossil Fuel interests is forcing change like a billion drops of water wearing away at stone.  $tsla

23705) 0.1511) This blows my mind.  Literally blows my mind.  All hell is breaking loose AND a close above $650?  Amazing.  Congrats everyone!  $TSLA  #HODL #TSLAQ #TeslaQHaHa  https://t.co/DR1Lzq5UB4

23706) 0.5368) #NotSellingAShareBefore5000 is mostly about what Tesla has achieved to date, so it primarily reflects Tesla Automotive's value.  Today, $TSLA doesn't assign any value to Energy or Autonomy, and because Tesla is accelerating on these fronts, I created #NotSellingAShareBefore10000.

23707) 0.34) Is anyone having a better start to the decade than Elon Musk?  $tsla is +55.5% in January &amp; +166% over the last 4 months.  It's not a secret that Elon despises short sellers. It seems like the last 2 Qs have brought back the Stormy Weather in Shortville.   https://t.co/VvPRvDKCDr  https://t.co/iULRkOG2hI

23708) 0.5106) The sheer amount of free advertising $TSLA received between the Cybertruck unveil, stock price surge, and now this, is likely in the billions.

23709) 0.2263) Question: if your $tsla Model 3 loses 30% of its battery capacity over its 8 years, and there's no warranty protection after that, how is it an appreciating asset?

23710) 0.8934) ATH closing for Tesla at $650  Congratulation to all $TSLA 🐮🐮  Also congrats to TSLAQ, this is the pullback day you guys are waiting for right? Unfortunately not the result as expected...Ooops 😂😂  https://t.co/cW6KuIqXOw

23711) 0.0935) Almost a 5-year low on $TSLA shares shorted  👍🏻👍🏻

23712) 0.8646) Tesla is the best thing happened to an archaic poisonous oligopolistic utterly non-innovative industry. Best part? Society and nature wins. $tsla

23713) 0.6369) Coronavirus is the best that could have happened to #Tesla. Scapegoat secured.  $TSLA $TSLAQ

23714) 0.6418) $tsla is so impressive clearing the post earnings high if $650.88

23715) 0.4926) $tsla is now a safe haven stock!  https://t.co/0yZ38YkVxT

23716) 0.5267) #TeslaInsuranceIssues $tsla $tslaq "Just ordered a model S...My annual insurance rates will jump a whopping 4200K annually and 2500/ 6mths. I have an additional driver on my policy which is through Liberty Mutual."  https://t.co/4Pve3nvZo2

23717) 0.2684) The corona virus could be the Black Swan event which starts the deflation of the Tesla bubble. The borrowing covenants are very clear that if Tesla does not meet certain thresholds the plant is in essence repossessed by the CCP. With North America sales declining $tsla $tslaq

23718) 0.5859) Tesla’s Run Has Only Just Begun, Says Ark Investment CEO 🚘🤖📶 “The winner will have the most data &amp; highest quality data. #Tesla has 14 billion miles of real world driving data today &amp; the closest competitor Waymo has 20 million.”  https://t.co/Faj9NotP9Z $TSLA #EV  https://t.co/hacCS0QiDX

23719) 0.4144) I'm really starting to like this Cramer guy.  $TSLA   https://t.co/6iMpMMrmVb

23720) 0.4939) Is there a way to be invited to battery day if you are a shareholder and a fan...but not a known entity?  Asking for a friend.  $tsla @elonmusk @tesla  https://t.co/LaYqXPXI9v

23721) 0.3818) "It’s becoming clear, in our view, that Tesla is on a path toward becoming the world’s only relevant publicly listed auto maker,” wrote Piper Sandler’s Alexander Potter.  $TSLA #Tesla   https://t.co/wGQdl1pCiR

23722) 0.25) 4) Let's say North America is flat YoY in Q1'20 at 32K. EU down -10% (# of ships to EU indicate lower levels as of now). China at 3K (optimistic). Then RoW is 5K (equally optimistic). This gets us to 60K for Q1'20 deliveries. This spells huge losses for $TSLA.

23723) 0.1779) Tesla convinces Jim Cramer to move on from oil: "I'm done with fossil fuels." $TSLA  https://t.co/21S2cHiwnW

23724) 0.128) MP Block List Update, at least 7406 accounts...BlockTogether has been stuck for about two weeks, but new blocks do seem to be propagating normally.  Enjoy the Silence:  https://t.co/M4YpCzV5Fn … $tslaQ $TSLA

23725) 0.8519) $TSLA may join the S&amp;P 500 by EOY by meeting S&amp;P Dow Jones Indices’ criteria. Tesla w/ its huge market value, will then be a major component of index funds holding hundreds of billions of dollars in assets. That will mean automatic support for the stock.  https://t.co/nqhpV827hU

23726) 0.7783) "Bond Angle CEO Vicki Bryan said in a note to investors... $TSLA numbers don’t hold up under scrutiny, which threatens its ambitious guidance for 2020 as well as its euphoric market valuation. She said of particular concern was..." @lorakolodny @levynews  https://t.co/SjdXNLYNbX

23727) 0.926) Record month of inflows and returns vs the market at GK. Just amazing January. Great job team. Thanks for the help Tesla. $tsla  https://t.co/2nyw36o8OR

23728) 0.2023) $TSLA rising as other stocks decline increases the probability of a $TSLAQ short-squeeze, as I suspect a large part of the historic short interest originated in “market-neutral” funds that short-sell some stocks while going long on others.  We’ll see. #NotSellingAShareBefore10000

23729) 0.2755) Elon Musk releases new song 'Don't Doubt Your Vibe'  https://t.co/PCAa3e0Gaa #FoxBusiness $TSLA  https://t.co/ds2aX2lteR

23730) 0.9041) Very reassuring to read this important information from the Chief Epidemiologist at the Communist Chinese Party. Or, if that is not his title (even though he is undoubtedly qualified), it’s at least reassuring to read a public announcement that was approved by the CCP. $TSLA

23731) 0.2263) If @CathieDWood thinks $TSLA is "incredibly undervalued," then why did @ARKInvest sell over thirty million dollars worth of its stock yesterday?  https://t.co/w0KqhH6JJa

23732) 0.5859) pretty crazy to realize that with my 15k initial $TSLA investment 4 years ago I can now buy 1 #Model3 and a house in Texas :)

23733) 0.7347) The vast amount of bets on a $TSLAQ "short burn of the century" happening this week is not good and dilutive to $TSLA bulls' staying power and additive to volatility. It's best to adopt a long-term view to appreciate the historic investment potential: #NotSellingAShareBefore10000  https://t.co/hsb5jAukAo

23734) 0.4588) Maybe it’s weird. Maybe it’s perfect. $tslaQ $TSLA  https://t.co/srWiXCJU8f

23735) 0.2023) Mark your calendars. Ron has a substantial long $TSLA position, both personal and professional.

23736) 0.4588) $TSLA short interest vs stock price 2016-2020  https://t.co/8K1XWbUxJB

23737) 0.6597) Who would have thought Tesla $TSLA is a safe haven asset now. Tesla is up today

23738) 0.7955) This is what it looks like when [@elonmusk  &amp; #Tesla] are WINNING and $TSLAQ shorts are LOSING!🌟  Tesla stock continues to show extreme strength during this bloodshed market.💪   $TSLA

23739) 0.4003) Analysts quietly boosting their $TSLA ‘20 EPS estimates! Upgrades incoming.

23740) 0.3182) A moment of silence, please...  ... for the "bulls" still waiting for a dip.  $TSLA #NotSellingAShareBefore10000

23741) 0.4927) Tesla $TSLA with 1400 January 2022 $1280 calls bought to open $33.50 to $36 for around $5M  And with that, I am off to the Dentist which seems more enjoyable than the tape today

23742) 0.7096) The consensus estimate of 19 analysts on BBG is that $TSLA will deliver 5.9% more revenue in Q1 2020 than they did in Q3 2019. Good luck with that. $TSLAQ  https://t.co/4aZ0Au9tuI

23743) 0.1779) He's a genius, I'm sending my N95 masks back to Amazon. $tslaQ $TSLA #psychopath #StockMarketUberAllies  https://t.co/d2VwFIO00t

23744) 0.412) Have been passionately telling to my friends to buy $tsla and hold.  Have told one of them to buy at 330 after truck launch, again at 420 level and then again before ER.  You know the reason they give, I have seen this article on my feed about $tsla. FUD 🤦‍♂️  Lot of regrets !!

23745) 0.4479) By all means this is not a “nomal” short rate. Who is financing it? Who is giving the capital to hedgefunds to stay put.? Who has got such deep pockets? $tsla

23746) 0.3182) $TSLA vwap from print is 640.  Actually higher than I thought it would be.  If below there could be a fair amount of long selling with shorts absent

23747) 0.5994) $TSLA is now a flight to safety stock. If you said that a year ago, you'd be committed.

23748) 0.4404) When earnings are just too good. #tesla $tsla

23749) 0.0759) It's not like I don't plan on ever reducing my position to diversify; I'm definitely, extremely heavy into Tesla, still. This is not sustainable in the longer term, but I don't see the point in taking an alternative path at the moment.  $TSLA #NotSellingAShareBefore10000

23750) 0.7184) i'm calling it  while $666 would have been much more poetic  and i'm still lovingly holding my Feb $1000 calls  the top is in for $tsla at $650.88 yesterday.   $tslaq

23751) 0.3818) Sold some May $TSLA ATM calls this morning.  Premium is Yuge, happy to short more at a higher price, and I think coronavirus risk is Yuge.

23752) 0.0772) Do watch this video. Difficult to believe anyone can replicate that anytime soon. I admire MobileEye progresses and technology, but without an integrated approach and without a software-defined architecture,  will they ever be able to run fast enough? $TSlA #Tesla

23753) 0.6234) @Gfilche Great explanation by Elon on Tesla's negative cash conversion cycle, which *improves* Tesla's cash flow profile as it grows quickly.  This is the primary reason why I never worried about the false "cash crunch" rhetoric pushed by short-sellers.  $TSLA #NotSellingAShareBefore10000  https://t.co/fwjSrTXs7V

23754) 0.3595) After extensive research I have some data to share! $tsla #tesla @Tesla  https://t.co/JqIvDgkHCg

23755) 0.8126) This is a pretty neat system actually: you buy some $TSLA shares, and in a few months, short sellers buy you a @Tesla car.

23756) 0.3182) @Gfilche "[Production on each continent] massively reduces the complexity of production and reduces the fundamental cost of the vehicle."  Ongoing &amp; upcoming decline in Model 3 production cost is under-appreciated, as it materially boosts the valuation.  $TSLA #NotSellingAShareBefore10000

23757) 0.2551) @Gfilche "There were so many mistakes that were made with the Model 3 program that the entire company had to be devoted to fixing the Model 3 production system."  This is why Tesla Energy has not yet taken off, and this is also why it will take off now.  $TSLA #NotSellingAShareBefore10000

23758) 0.1531) "The European data is in: Audi eTron and Jaguar i-Pace handily out sold the Tesla Model X and S in 2019. It was not close."  $TSLA $TSLAQ The Verdict Is In: Audi And Jaguar Electric SUVs Outsold Tesla Model X And S In Europe.   https://t.co/M398o9djj8

23759) 0.9796) My Roadster has been delivered!! (Diecast 😜) Huge thanks to @biogirl09 who helped me get this to Europe! Took months! It’s gorgeous! 😍 $TSLA #Tesla  @elonmusk please offer these amazing toys to us Europeans! Thanks 😄  https://t.co/VxvlNPgJKQ

23760) 0.2382) "[Autonomy] will seem easy in ten years, but there'll be a long stretch there, where there'll be vast differences between cars."  ... meaning Tesla's Autopilot will lead competitors by several years.  $TSLA #NotSellingAShareBefore10000   https://t.co/SpKIH24HWK

23761) 0.1779) $TSLA - prediction: this shutdown will extend to all of February.   How is this going to work out for you, @elonmusk ?   40% of Model 3 Parts are imported from China’s eastern provinces.  At Least Two-Thirds of China Economy to Stay Shut Next Week  https://t.co/Dnoh2h2M2v

23762) 0.7163) Third Row Tesla Podcast – Elon's Story – Part 2 📺👍👍  https://t.co/Lvq3ei7RBL $TSLA #Tesla  👉 Great interview @thirdrowtesla!!! 🗣 Part 3… Part 3… Part 3…  https://t.co/4qZarHZ7ST

23763) 0.8519) "Two or three orders of improvement in labeling efficiency and a significant improvement in labeling accuracy."  $TSLA #NotSellingAShareBefore10000

23764) 0.6573) "There's quite a significant foundational rewrite in the Tesla Autopilot system that's almost complete."  FSD is closer than you think, and its benefits for Tesla, investors, and humanity extend beyond robotaxis.  $TSLA #NotSellingAShareBefore10000   https://t.co/i5vcFT3wQO

23765) 0.25) Autopilot "will be able to do crazy maneuvers, like a highspeed chase, technically."  I had suspected this was coming, primarily for safety.  FSD will soon become a must-have option, adding billions of dollars *per year* to Tesla's bottom-line.  $TSLA #NotSellingAShareBefore10000

23766) 0.7003) I honestly wonder if he even considers the possibility that whatever @Tesla said on the call might be true. If it is, what happened to his short thesis? $TSLA / $TSLAQ  https://t.co/kbar2AaPmF

23767) 0.7269) They convey their amazement at the price and range of the $TSLA Cybertruck, having learned nothing from "$35K Model 3" and other such promises.

23768) 0.7433) A minute later the podcast crew say "the preorder number was amazing" despite having just admitted seconds ago that it was inflated by people like themselves making multiple preorders.  $TSLA

23769) 0.34) The cultists at the Third Row Tesla Podcasts laugh about making multiple Cybertruck preorders that they have no intention of buying.  $TSLA  https://t.co/WMgIWi8h6b

23770) 0.4939) This short-interest chart on $TSLA looks pretty bullish (if you're short).  $TSLAQ  https://t.co/z8JvUlSwRb

23771) 0.296) How’s the 1 million share purchase of $TSLA stock looking at $90 @elonmusk? 🤑🤑.

23772) 0.6597) $TSLA... seems like so long ago it was trading at 250... oh wait that was last earnings.  😂  https://t.co/ImJHkgiDsX

23773) 0.296) With 9% more M3's produced QoQ, efficiency continuously (and, as experienced in Q3, sometimes dramatically) improving, can someone explain to me how gross margins could *shrink* from Q3 to Q4?  $TSLA $TSLAQ  https://t.co/Ylhitn5k4M

23774) 0.9053) More Ark $TSLA share sales secured. 49,755 shares sold today.  Congrats on the successful pump and dump @CathieDWood!  https://t.co/83c8p9y2Dr

23775) 0.7351) We now know why notorious $TSLAQ “made for CNBC financial analyst” @GordonJohnson19 left the Vertical group. 🧐  The name reminded him of $TSLA stock price trajectory 😭   😂🤣😂🤣  https://t.co/EzuHE4tnw4

23776) 0.4404) @RampCapitalLLC Easy $TSLA

23777) 0.0516) OMG...  The mystery of a box in a box has been solved 😱  @elonmusk thank you for solving one of life's biggest mysteries 🙏  $TSLA @Tesla

23778) 0.4877) Yesterday some dude called @elonmusk launched 60 satellites into space and added $15 billion or so to the value of one of his other little projects.   How was your Wednesday?  $TSLA #Tesla

23779) 0.4696) Interesting ...   is this because of podcast Episode #8 @TwitterSupport ??  $TSLA $TSLAQ  https://t.co/Vl546As9S2

23780) 0.4588) Hyundai Will start producing Kona in their Czech plant. No tariffs. Pricing power secured.  I welcome all bulls to tell me how much Kona is irrelevant to MY demand, so that I don't get out of shape.  $TSLA $TSLAQ

23781) 0.6239) Coming on Bloomberg radio in a minute to talk Tesla's amazing earnings and future. Tune in. @BloombergRadio ! $TSLA

23782) 0.7964) $TSLA shares are hitting an all-time high following a blowout quarter and a strong delivery forecast. Will @Tesla deliver on its big promises? @Lebeaucarnews &amp; @WSJ's @timkhiggins discuss with Tyler Mathisen on @CNBC.  https://t.co/dmBSUhARjl

23783) 0.5411) Here is the whole clip on tesla from @TDANetwork today. Check it out and enjoy. With @ARKInvest @skorusARK - Two firms that get it! #tesla @elonmusk $TSLA  https://t.co/BxxqXzKa0L

23784) 0.4404) Me quoting Fox Anything is a good indication that the Wack Factor is completely off the scale. $tslaQ $TSLA    https://t.co/Fr8P9bWp44

23785) 0.8767) I did promise a Tesla 420 party. Now a $640 party... Should we do it? Will you come... $TSLA #Tesla420 Maybe @elonmusk wants to blow off some steam... Want to have a party Elon? We could do it at @cocoonmalibu - since Elons into music too.

23786) 0.4515) $TSLA gained the combined Market caps of Mazda+Mitsubishi today. Maybe it is time for Tesla to start buying up some of their production capacity? To accelerate mission?

23787) 0.8957) @emilyshorin @elonmusk @Tesla I don't know if what you're saying is also true for long term female $TSLA supporters like @TeslaJoy @flcnhvy @Kristennetten @LikeTeslaKim @NuovaRealta etc. I hear only positive things about the cars when they tweet. Maybe they should chime in here...

23788) 0.5859) I’m living proof That if you live in America And build a better golf cart  You too can be worth $42.3B    - Elon Musk  😉  #tesla $tsla @elonmusk  @OpenOutcrier @DiMartinoBooth  @GaryKaltbaum

23789) 0.4798) Tesla stock be like "I ran up this mountain so hard &amp; fast that I'm going to take a break here. Look at birds &amp; such for a bit. Then I'm going to run up more of the mountain! Woooo!"  Seriously, look at this stock.  No sell-off.  Rock solid.  'Show Of Strength'.  $TSLA $TSLAQ  https://t.co/ooMD20t8lt

23790) 0.8658) In June 2019, I was lucky to buy $TSLA at a low point, both in price and mood. Seven months later, the mood is exuberant &amp; the stock hit $640 this morning. I revisit &amp; revalue the company, and much as I would love to hold on, it is time for me to let go.  https://t.co/036nHU6Tv7  https://t.co/JLXCvYqA9z

23791) 0.5994) Can’t wait to see what happens to $TSLA after @thirdrowtesla drops Part II of the @elonmusk interview. Perhaps it dropping will spark the short squeeze? Haha.

23792) 0.9123) Tesla earnings win praise from doubters: ‘We fully admit things are better than we expected’ 🏣  https://t.co/n6RDkffv2p $TSLA Canaccord: $750 (from $515) Piper: $729 (from $553) Wedbush: $710 (from $550) Baird: $650 (from $525) RBC: $530 (from $315) JP Morgan: $260 (from $240) 🤦  https://t.co/SNobnij943

23793) 0.6705) Tesla Club Austria: The transition to sustainable mobility is truly alive @TeslaClubAT   $TSLA #Tesla #Austria   https://t.co/8wm7ajvzKH

23794) 0.743) Hmm I’m pretty sure analysts aren’t meant to be a lagging indicator 😂🤦🏻‍♂️ $TSLA

23795) 0.1531) Now every single dip of $TSLA is now not only a buy for us 🐮🐮, also a buy (to cover) for the TSLAQs   Claim down people, don’t fight plz 😂  https://t.co/bEfy9fRmiI

23796) 0.5106) Tesla $TSLA Soars on Strong Results and Guidance: @EricJhonsa with 5 Key Takeaways  https://t.co/ke5stWgwXJ

23797) 0.3182) Bagholder shorts getting massacred.  Cover your position before you blow up the financial system, please.  ... Wait a sec.  Are y’all actually trying to break the market, or what?  🤨  $TSLA  https://t.co/47JpLS6hcZ

23798) 0.7024) Its almost time #Tesla fans. Ill be on @TDANetwork with @ARKInvest  celebrating Tesla's success and what comes next. You don't want to miss this interview. Tune in here. $TSLA  https://t.co/JSS6T8rtYR

23799) 0.3182) The $TSLA A/R mystery grows:  Q4'18 Revs: $7.225bn Q4'18 A/R: $949mm Q4'18 A/R as % of Sales: 13% Q4'18 DSO:  11.7  Q4'19 Revs: $7.384bn Q4'19 A/R: $1.324bn Q4'19 A/R as a % of Sales: 17.9% Q4'19 DSO:  16.1  240% of the YoY revenue increase landed in A/R  🤔

23800) 0.3402) $TSLA is $420 ABOVE its price of $227 on Oct 1st 2019  Thank you God, for allowing me to witness this mindless phenomenon  Its going to be a great story some day, not a positive one though  $tslaq

23801) 0.1461) Just a Thought; The People who own $Tsla Cant read a balance sheet, Do Not Care about Valuation, Dont know what GAAP means, know Elon is above the law, could care less about the shorts and Elon's misrepresentations and finally lets the stock price do the analysis. GLTA

23802) 0.2714) According to this Tesla has until April 20th* to hire 420* additional employees or they will face a 42.0* million dollar fine! $TSLA $TSLAQ   *(Note: All numbers rounded to the nearest 420)*   https://t.co/7DtkoNvxD8

23803) 0.4588) Most leaders are red today and $TSLA ‘s gains are holding (thus far). This a name that has really asserted itself as a True Market Leader. When the selling pressure is released, I think this name will continue to climb. #Darvas  https://t.co/W74FQ3LgZ7

23804) 0.4588) "The 2020 Porsche Taycan Turbo S achieved a 2.4-second zero-to-60-mph time in Car and Driver testing.  It also raced through the quarter-mile in 10.5 seconds at 130 mph."  A T-lemming crusher... 😍 $TSLA $TSLAQ  https://t.co/T8cfA0OfBE

23805) 0.34) Maybe @lorakolodny should create a live counter on how much money the $TSLAQ #DumDums are 🔥 since @danahull wasn’t interested in that idea.   $TSLA

23806) 0.5707) 🔔Media Alert🔔 Analyst @skorusARK will join @TDANetwork today at 1:45 PM to discuss $TSLA earnings, #BigIdeas2020, &amp; more. Tune in!  🖥️:  https://t.co/YkULvyXfC8

23807) 0.3818) "It's becoming clear, in our view, that $TSLA is on a path toward becoming the world's only relevant publicly-listed auto maker." —  Alexander Potter, Piper Sandler  @elonmusk @Tesla

23808) 0.872) It's clear that Tesla has somehow solved the battery bottleneck identified below as (i), so going forward, I'd like to focus only on:  - FSD, software development - FSD, robotaxi economics - FSD, other opportunities - Energy, generation/storage  $TSLA #NotSellingAShareBefore10000

23809) 0.8588) UPDATE high-end BEV's in Norway: Credit where credit is due. E-Tron with a very strong start into 2020... At that sales rate, if it continues, E-Tron alone to sell more than Tesla ever did with S/X combined. Will be interesting to watch.  $TSLA $TSLAQ  https://t.co/LOPTrPglSt

23810) 0.2732) $TSLA 2019 EPS as well as 2020 &amp; 2021 estimates updated on @Marketsmith.  2019 EPS from -0.55 est to 0.02 final. 2020 EPS est bumped up from 6.78 to 7.26. 2021 EPS shows 12.67.  https://t.co/Kbh2wHFyPN

23811) 0.6124) Just mere 17 days ago, I predicted $TSLA would top 600. Now that my short-term PT is crushed again like always, what would be my next PT? Honestly it’s hard to predict even though 5 years from now, it would be worth a lot more than  today’s price.  https://t.co/vNU7Jwh21R

23812) 0.7783) Got smoked today on everything I touched, including $TSLA. knew better not to get on the short side esp with size.  Still an absolute monster month. Blessed

23813) 0.4019) $tsla leads GM and Ford combined on both an enterprise value basis and a number of requests for information from the DOJ basis.   $tslaq

23814) 0.2263) $TSLA is now worth approximately 2 peak Lehman Brothers.

23815) 0.3818) … $TSLA $TSLAQ that this is a hyper-growth company and the only constraint to growth is them producing cars appears factually incorrect (based on their own numbers/guidance).

23816) 0.2247) $tsla. Wedbush is quite peculiar. Still first 1000 TP is in

23817) 0.7351) History will call these days "Peak Elon". 😁  Enjoy the ride.  $TSLA $TSLAQ

23818) 0.7177) Glad to see market started to realize all the BS from TSLAQ are the jokes. The competitions are not there, and Tesla is now dominating the EV’s market!  Thanks Phil $TSLA  https://t.co/BfU1QcAhOQ

23819) 0.4678) Did $TSLA break below VWAP? yes, it is below VWAP from 930am but it is right on VWAP which includes data from after/before hours Important for short term traders to know both levels when there is large overnite range/volume  https://t.co/C8m0tKrDFe

23820) 0.128) (2) Not to mention the remarkable new definition of “feature-complete” FSD. The FSD option probably has 90% gross margins as the deferred revenue bleeds into the income statement. It’s one reason why Shanghai manufactured M3’s will not have GM’s higher than Fremont builds. $TSLA  https://t.co/eDn0BdxKD1

23821) 0.7506) $TSLA climbing 🧗‍♀️ and climbing 🧗‍♀️ ‼️ 👏👏💖👏👏  https://t.co/XtZPttaiGu

23822) 0.7269) Gorgeous sunrise happening behind me, and $TSLA crushed it again Q4... it's a beautiful day in the neighborhood. #Tesla  https://t.co/rLWTHxjdMF

23823) 0.7096) Wow, Tesla now approaching $650/share. $TSLA  At 350, 400 &amp; 475 many were saying they are going to short this company.  Luckily they didn't (with real money) &amp; only wrote about it in their newsletters. Always follow #skininthegame. By the way, no position for me.  https://t.co/VOVypK9O5J

23824) 0.4404) Good Morning ☀️ $TSLA 🐮🐮🐮  https://t.co/7HW6yIKfZW

23825) 0.4215) Those $tsla $700 calls now $1 lol gambling

23826) 0.3182) Until then, please read every page, every word *twice* on this document:  https://t.co/DY0QES3lQr  $TSLA #NotSellingAShareBefore10000

23827) 0.7845) with FCF 2x consensus, and profit coming with revenue growth this qtr... "really nothing here for the bears to highlight" on $TSLA said MS's Adam Jonas.  https://t.co/AeCVAcQNDf

23828) 0.3995) $TSLA continues to be one of the best examples of the quote: "never underestimate the power of stupid people in large groups"

23829) 0.8777) $TSLA “Tesla earnings win praise even from doubters: ‘We fully admit things are better than we expected’”   https://t.co/CzHfyIIsBy

23830) 0.7351) Tesla Model Y Production Ahead of Schedule Thanks to Impressive Assembly Consolidation  $TSLA #Tesla #ModelY   https://t.co/wVmmuDCA6e

23831) 0.8609) Been a $TSLA bull for a LONG time, since the low $200's, but on a tactical basis, that just changed.  Took the other side for the first time ever over $645.  I feel a bit dirty, but can't argue with price action.  Wish me luck, bro's.😂

23832) 0.6486) $TSLA "Baird analyst Ben Kallo began his note to clients by acknowledging Chief Executive Elon Musk's assertion that "a lot of retail investors actually have a deeper and more accurate insights than many of the big institutional investors and certainly a better insight than many

23833) 0.4926) Tesla's Turbodrive! The stock soars as #Q4 earnings and deliveries beat. @PeterDrives breaks down their first annual profit @firstmove $TSLA #Tesla  https://t.co/7qNXudeMs6

23834) 0.3818) There are simply no signs of exuberant investor behavior.... $TSLA  https://t.co/OlMhqYPR48

23835) 0.9184) My mom: "I checked with the bank, now that I have more free time I'll start having fun with the stock market 😊 I'll buy some $TSLA"  Me: "It's a bit high right now though"  My mom: "It would be for at least 5 years"  Me: "Oh then yeah, it's low 😝"

23836) 0.296) $TSLA 50 shares added @ 620-625

23837) 0.9038) When my high school friends start texting me, in the past it’s been a great indicator for the end of cycles $TSLA - with an unusually high success ratio  https://t.co/r0HdTEvxQn

23838) 0.1779) Nice of Bloomberg to edit the $TSLA earnings call transcript to cover for Elon on what essentially amounts to an admission of massive fraud. He clearly said "doesn't", the exact opposite of what Bloomberg transcribed. I just listened to the call again. It isn't close. $TSLAQ  https://t.co/RYRSxZG17Q

23839) 0.4404) $TSLA Call buyers watch their profits evaporate fast here now in the implied move of $52... unreal

23840) 0.9062) $TSLA Q4:  • Record revenue • Record free cash flow • Free cash flow positive on the year • Non-GAAP profitability on the year • Model Y production has begun, deliveries in March • 500,000+ deliveries for 2020 • 50%+ CAGR target  Full review here:  https://t.co/pxJWM3rvS9  https://t.co/4KCWR0Z8Lh

23841) 0.128) Got a feeling $TSLA can go red today 🤷‍♂️

23842) 0.5267) We saw -444k $TSLA shares covered yesterday and -544k #Tesla shares covered over the last week ... I'd say the short squeeze has gotten out of neutral once again.

23843) 0.4588) #Tesla makes up 51% of all shorts in the worldwide Auto Manufacturers Sector. $TSLA short interest is almost nine time larger than #Toyota in 2nd place and fourteen times larger than #Ford in 3rd place.  https://t.co/8GA7819BRy

23844) 0.5423) "Blowout Earnings" they wrote. $105 million GAAP profit, down from Q3. $862 million $tsla GAAP loss for the year. With a market cap of $120 billion, it would only require 285 years of such profit annualized (&amp; undiscounted) to match the market cap.  https://t.co/ExOUiikBy9

23845) 0.2023) Experiences from previous bubbles:   1) 2000: Waiter at a posh restaurant told me his favorite Internet picks.  2) 2007: My realtor tells me to leverage my house to buy another 2.   3) Today: $TSLA analyst w/ an Underperform rating writes that "there's no short thesis".   $TSLAQ  https://t.co/t9X5PrALF4

23846) 0.5562) Congratulations to the legit $TSLA bulls!🎉  You maintained conviction into the extreme heat. Too many to name but you know who you are.  https://t.co/zAbJuZvqqi

23847) 0.9805) Fav pic of my #Tesla, taken on road trip I'd been dreaming of a year before delivery. Took $TSLA from south Spain, through Pyrenees (pic), Calais, Manchester UK &amp; back (5000km). Best trip ever, car was a dream, charger network perfection. Been in love since 🥰 Thanks  @elonmusk  https://t.co/8guaVN7emT

23848) 0.6461) @ValueAnalyst1 @CNBCFastMoney @CNBCFastMoney - we have over 1000 petitions to bring @Gfilche on your show to help explain what’s happening with $TSLA. He’s been on CNBC before it I found it highly informative. Please consider.  https://t.co/dj21Z3dL28

23849) 0.4019) $TSLA - #ShortInterest down 5% yesterday Will be interesting to see what the shorters do today. $TSLA currently up 8.5% in pre-trading. #Tesla #trading #stocks #finance #invest

23850) 0.7615) To everyone in my twitter feed losing their minds about how $TSLA lost a billion using GAAP but turned a profit using non-GAAP:   I would like to invite you to research the shale industry.  https://t.co/4M45iKCyqw

23851) 0.659) What’s really amazing is that despite delivering cars at a 450,000 annual rate, with a $57,000 ASP, $TSLA made no money selling cars(ex-sale of tax credits) in the quarter. Producing at 100% of capacity. @SquawkCNBC

23852) 0.8306) #PISTA says: @KristiRossX  I am leaving @tastytrade I have excepted the position as #TomSosnoff's handyman, fence repairman, dog walker, chef, laundry man, HVAC &amp; $TSLA car support. Opportunity value is endless! Taking @SharkJeev with me too! Too much work for 1 man!

23853) 0.4215) Energy: the Amazon Web Services of Tesla. $tsla

23854) 0.5473) $TSLA LOL:  “Tesla stock price target raised to $260 from $240 at J.P. Morgan”

23855) 0.611) But this time, it’s totally different for $tsla.  Musk is totally, definitely right this time.   From November 2018  CC: @CGrantWSJ    https://t.co/ewxVXCTF88

23856) 0.1179) @NathanBomey Nathan. If you were to buy a electric car, which one would you buy? Tesla or a compliance car from any other generic automaker?   Tesla sells excitement. People look forward to owning one. Legacy automakers sell badly made EVs.   $TSLA $TSLAQ

23857) 0.743) @WallStCynic @SquawkCNBC I mean that just sounds to me like most of $TSLA 's core business was successful at generating cash though.

23858) 0.6486) My opinion: people want to own a piece of the future and founders like @elonmusk and companies like $TSLA are a conduit to that, not Toyota or other comps.

23859) 0.6369) Still blocked by @Jimcramer and proud of it 🤣👇  $TSLA 🤟

23860) 0.5859) So yeah...I totally get Tesla may be overvalued...that  short covering may be behind massive run as of late...but that doesn't change the fact that shares will be +259% since the lows on June 3, 2019.  Congrats if you've owned the stock. Now what?   https://t.co/X0kkfavm6G  $TSLA

23861) 0.8807) I think @GerberKawasaki is feeling pretty comfortable with his long $TSLA right now 🤣  @Tesla

23862) 0.711) Model 3 production began in earnest in Q2 2018. According to $tsla, production ability has dramatically increased since that time  2H 2019 Revenue/EBITDA/Net Income (even w/ demonstrable increase in fraud) are all 👇 y/y. 2H 2018 #s were better  Not a growth company  Here we are

23863) 0.0964) $TSLA  As predicted.  Elon during yesterday's ER call: "At our Fremont factory we are producing at roughly the rate NUMMI factory did in it's record year 2006. Obviously we expect to exceed that significantly this year. There is a lot of potential to go beyond this number."

23864) 0.3818) $TSLA - Raising my YE price target to $1,000.  All eyes will now turn to 2021.  For 2021, I expect vols of 725K (Fremont X 300K, Y 175K,  S/X 50K, China 200K). At $54K ASP, 24% GM, $5B OE, $800M Net Int, 15% Tax Rt, 2021 EPS~$17 @ 60 P/E (w/ 40% L/T EPS growth) ~ $1,000. $TSLAQ

23865) 0.3612) Incredible statement by Piper Sandler's Alexander Potter on Tesla: "It's becoming clear, in our view, that $TSLA is on a path toward becoming the world's only relevant publicly-listed auto maker."   Wow. They who underestimate Toyota, GM, VW, Ford, Honda do so at their own peril.

23866) 0.4404) I hope @GerberKawasaki is ok. 🙏🏻 $TSLA

23867) 0.1779) There was no mention of net reservation growth or number during the $TSLA earnings call yesterday.  A big change from prior quarters.   Golly, I wonder why.

23868) 0.34) Fun Fact: $TSLA did not disclose a Cybertruck reservation/deposit number in its Q4 2019 earnings presentation or its earnings call.  This after Musk was frantically tweeting such numbers in November.  Also no comments on the Q4 call about robust Model Y orders.

23869) 0.4215) The $TSLA stuff is very reminiscent of the 2000 bubble action. Analysts are working hard to justify higher multiples and valuations. They are chasing the strength rather than vice-versa.  @realmoney

23870) 0.4939) For those paying attention, @jaberwock2 saw this coming, and wrote a superb analysis last October of how the incentives in Europe of all OEMs but $TSLA was to hold off delivering EVs in 2019, but ramp up massively in 2020.  https://t.co/3gSyKW5o7f

23871) 0.4588) The importantance of FSD is unmatched in history, so any change in confidence that Tesla will achieve autonomy and will command a multi-year lead is material.  This is under-appreciated by investors.  $TSLA #NotSellingAShareBefore10000

23872) 0.3818) Alex Potter from Piper Sandler raises Tesla $TSLA PT to $729 after Q4 earnings.   "It's becoming clear, in our view, that #Tesla is on a path toward becoming the world's only relevant publicly listed auto maker."

23873) 0.7057) Good Morning Campers!  Futures bright red, marekt still doesn't like Powell!!!  Coronavirus spreads in China  $TSLA pt 750 @ Canaccord  $TSLA pt $900 @ Webush

23874) 0.6901) @ValueAnalyst1 If $TSLA is to be the most valuable company in the next decade, which is highly likely, then 2T and beyond is a fair valuation.

23875) 0.9972) $TSLA makes me so happy‼️And I expect so much more incredible and awesome things to come out of Elon’s brain, this company, and the alien technologies ‼️  💖☀️‼️🚀👽💖🏎 ‼️👽💖‼️👽 ☀️‼️🚀👽💖🏎 💖☀️‼️🚀👽💖🏎 ☀️💖‼️🚀👽💖🏎💖  Thanks @elonmusk @Tesla ❣️  https://t.co/5HkccS6V6D

23876) 0.5106) $TSLA HASHTAG UPDATE  #NotSellingAShareBefore5000  is now  #NotSellingAShareBefore10000  based on higher FSD confidence

23877) 0.2263) Tesla's ability to boost the margins of its *already-shipped* cars is underestimated. The below upgrade option alone may add hundreds of millions of dollars to Tesla's bottom-line in the coming quarters.  $TSLA #NotSellingAShareBefore5000

23878) 0.5574) Tesla’s #ModelY wiring plan is revolutionary: ~93% reduction to ~100 meters. Incredible weight reduction.  If correct, ‘all carmakers will want it’: ‘worth BILLIONS’. $Tsla could live ‘worry free on royalties’.   Beware #TeslaInnovation $tslaq  https://t.co/oDAzhaCFw3

23879) 0.1531) Two $TSLA Jan 31 600 1.1M Call Blocks placed 2-3 mins before close😀

23880) 0.5707) This is how we roll $TSLA  Congrats buddy!

23881) 0.8415) 🤯🤯That moment when you know $TSLA better than WS analysts.  Analyst: why don’t you sell stock to buy companies to accelerate your growth?  @elonmusk Who should we buy?  (Me thinking “Sila Nanotech!” Just would’ve loved to hear Elon’s response.)  Analyst: a crappy autonomy play?

23882) 0.6245) 1) We can all agree that $TSLA's only hope for growth this year is China &amp; it's not looking good right now.   In fact, @elonmusk inadvertently admitted as much on today's conf-call, when saying the MIC Model 3 price cut was made to generate volume. But regarding profitability...

23883) 0.8394) A wonderful day.   Congratulations @elonmusk and every single person who has helped get $Tsla to where it is today. Mind boggling achievement despite huge challenges and desperate opposition with deep pockets.  So grateful....   🥂🌏

23884) 0.4588) Tesla China 🇨🇳 Donates ¥5M to Local CDC to Fight Novel Coronavirus OutBreak  “Hope that we can overcome the difficulties together and overcome challenges in this special period.”  Thank you @elonmusk &amp; @Tesla  ❤️❤️❤️🙏🏻  $TSLA #Tesla #China #Coronavirus    https://t.co/Z50ktyvcA4

23885) 0.168) $TSLAQ $TSLA  Am I reading this correctly?  $100m in net income $900m in increased liabilities on BS  ...claiming FCF of $1B?  https://t.co/6kuU8WD5o0

23886) 0.8689) Tesla 🇨🇳 Response to #coronavirus Tesla will donate RMB 5 million in special funds To assist the Chinese government in supporting the CDC and other agencies to respond to the outbreak. Free Supercharger for owners in China worth RMB 5 million.  #Tesla #China #WuhanVirus $TSLA  https://t.co/Uo1r76i3TL

23887) 0.0516) $TSLA is the world's *only* carmaker to refuse giving guidance on current year capital expenditure plans. Why?  $TSLAQ

23888) 0.3384) Ooops ... Adam Jonas’ price range for $TSLA $10-$500 doesn’t work very well.....

23889) 0.7263) Brains!  Whatever happens tomorrow, it probably won’t be as perfect as today.  🚗 #Model3 commute 🚀 #Starlink launch 🚀 #Falcon9 landing 🚀 Fairing capture  🍔 @innoutburger lunch  🚀 $tsla after hours 🚀 #ModelY 🚀 Profitability 🚗 #Model3 commute  Here’s to 2020 🥂   ❤️🧠

23890) 0.3797) The Installed Annual Capacity (Current) of Tesla Fremont + GF3 Shanghai China is about 640,000. With China-Made Model Y production starts in 2021, also the CyberTruck is coming by the end of the same year. 2022 gonna be FUCKING EPIC. Don't forget the Semi (end 2020)  $TSLA #Tesla  https://t.co/HPgwacnsiZ

23891) 0.4728) I admit that the $TSLA bulls may have partied a little too hard after the earnings call    https://t.co/qm54TxiqZo

23892) 0.3612) $tsla Sky is the limit.  1. Battery &amp; Power Train Day - April 2020 2. S&amp;P Inclusion - May  3. EPIC Q3 - October  4.. Semi Revenues - November  5. Plaid Q4 - January 2021 6. FCA ~1.5 Billion $ credits 7. Model Y - Margins 8. Giga Shanghai Margins 9. 🔋☀️Record Deployment

23893) 0.7264) @FutureIsTesla @RampCapitalLLC Very true.  People asked that at $350, $400, $450, $500 and will continue to as $TSLA continues to rise.  Best time to get in is now.  If you are worried about it, do dollar cost averaging.

23894) 0.765) if they weren't going to jail the god-king over the clearest, largest securities fraud in history (420 funding secured) he's untouchable.  and for good reason. the stonk is at $600 now. he's creating shareholder and general economic value. $tsla

23895) 0.4767) @elonmusk Proud to be a $TSLA 🪑holder

23896) 0.8019) To all the @Tesla none believers, I hate to say this to you all, but we told you so. Tesla still has a lot of amazing things in store for us. $TSLA  https://t.co/ijvno7kxyk

23897) 0.7269) #ExplainBABYCharts #FraudWatch day 364  Someone else did my work for me today. Enjoy.  Oh, btw, Tesla has had 2 profitable quarters in a row... twice now #LFG #CYAZ 🤟🤟  https://t.co/PCU6ogF6Ke $TSLA 🥴🤡 $TSLAQ 🤡🥴

23898) 0.5452) As always they can extend the fifth to 700. I will patiently wait for short set up, it is almost ready imo. Institutions and big $ use catalysts like ER to sell into because they are able to fill there large orders without drastically affecting share price bc volume influx $TSLA

23899) 0.4215) $TSLA may sell off here 650/660 (and it can complete the 5 wave impulse suggesting a corrective move to come. Just sharing what i see. This is an extended fifth subwave of III and extended 5s retrace the entirety of the move. Meaning 330/340 will trade for IV. Patience for short  https://t.co/6lcQjM9QAE

23900) 0.6124) As promised by $TSLA: simplified and reduced parts rear chassis using new casting process   Looks like Model Y will not only command higher premium, but also will have cost savings as compared to M3.   "should allow Tesla to ultimately reach an industry-leading operating margin"  https://t.co/Q8ORI1gCWP

23901) 0.8885) In order to make the shorts even happier after their amazing trading day, we decided to add another Tesla to the family. Incoming Model Y, Model X is going back to Tesla on lease soon. $TSLA strong.  https://t.co/GUFXR1Zpbv

23902) 0.4939) 6) All in, it appears like $TSLA magically printed $1bn in FCF via Inventory, Accounts Payable, &amp; suppressed capex (surely there's more). Counting just the above, FCF should've been only $112m, which would've been 82% lower than consensus of $630m.

23903) 0.4913) 5) Also, why was capex so low in Q4, leading to undershooting even $TSLA's lowered 2019 capex guidance of $1.5bn? I was expecting at least $600m in Q4 capex, but $TSLA only spent $412m despite having GF3 &amp; Model Y projects in full gear. So another $188m boost to FCF?

23904) 0.755) 4) Accounts Payable were up 9% QoQ ($300m). Despite having Purchase Obligations for 2019 amounting to $4.9bn at the start of the year, why did AP increase by $367m YoY?  Was this something related to the special "purchase agreements" $TSLA mentioned they made in their Q3'19 10-Q?

23905) 0.7804) 1) I'm befuddled by the after-hour spike in $TSLA by 12%. Q4'19 was a shit quarter:  a) GAAP Net Profit of $105m was 17% below consensus of $126m. b) Net profit fell by 26% QoQ despite 16% higher deliveries.  c) Ex-ZEV/GHG credits, Q4 NP was -$28m vs Q3's $9m.   So why the spike?

23906) 0.5063) “Demand has been incredible… We've never seen anything like it… We'll sell as many as we can make, it's going to be pretty nuts! [#Cybertruck] is better than people realize, they don't have enough info to realize just the awesomeness of it. It's just great!”—@elonmusk 🔮 $TSLA  https://t.co/Dir7h6R249

23907) 0.7579) Tesla took investors by surprise, posting its second-straight quarterly profit after delivering a record number of vehicles. Shares rose after its earnings release, hitting an all-time high and cracking the $600 mark for the first time  https://t.co/p3VG0ijVbX $TSLA  https://t.co/S9JtjK7pa2

23908) 0.4019) Let's put 2 and 2 together.  Here are some quotes from the Q4 update that explain current and near future $TSLA run-up (yes, more to come)  https://t.co/9B70xhdEnI

23909) 0.6476) What’s interesting about Q4 call is how @elonmusk and @Tesla $TSLA have become insanely conservative w/estimates:  - Fremont and China are producing ~10k cars a week or about 520K/year  - Expected to increase to 15K+/year by end of year  Yet their estimate for 2020 is 500K cars!

23910) 0.3818) Piper Sandler raises $TSLA price target to $729 after Q4 earnings.   "It's becoming clear, in our view, that TSLA is on a path toward becoming the world's only relevant publicly-listed auto maker." - Alex Potter / Piper Sandler  @Tesla @elonmusk #Tesla

23911) 0.8115) The jump in SBC in Q4 '19 is now causing GAAP to understate true earnings. This is why the vast majority of portfolio managers use non-GAAP Adj. EPS to value companies. This will now be the more relevant profit metric going forward for $TSLA.

23912) 0.1779) Has anyone else noticed that the $tsla “opinion” stories have much more facts &amp; info (which I thought was synonymous with news 🤷🏼‍♂️)  than the “news” stories which are just regurgited Tesla talking points and worthless quotes that fit the desired narrative?

23913) 0.4926) @elonmusk It’s easy to predict the future when you drive it every day. Go $TSLA!

23914) 0.7579) As $TSLA skyrockets, $TSLAQ still rallies enough to pat themselves on the back...ignoring almost all of their 2019 predictions. Hahaha. 😂  https://t.co/M427mldzCP

23915) 0.2263) Any analyst who didn’t say buy $TSLA since the end of May ‘19 was wrong.    That’s just about everyone in the media and on TV.   Well done Tesla Twitter and YouTube though. 😂  https://t.co/rAGUYCZzuK

23916) 0.7845) $TSLA 2020 Operating Margins Secured. Look at this pic again and again.  Simplicity at best.  @ValueAnalyst1 @Hein_The_Slayer @jjhanna2 @s17_scott @OnDaBus6am @loky080659 @mtzben3921  https://t.co/yulIEtlr13

23917) 0.9468) I know this isn't the end by any means for my investment in $TSLA, but I want to thank the whole @tesla community for helping me stay steadfast during some rough times.  Especially @Gfilche and @ValueAnalyst1 .  Not the end but it's is a good time to step back and appreciate.

23918) 0.0772) I’m guessing that mandatory Shanghai factory shut down $TSLA disclosed on the Q4 call is going to last a little longer than 1.5 weeks

23919) 0.4404) Lets check on Adam Jonas and his one year price target for 😂 $TSLA  https://t.co/MgaXCKqQEl

23920) 0.296) 4.6 Million $tsla  Shares traded in after hours. Its going to be EPIC tomorrow once actual market opens. 🙌  @Hein_The_Slayer @jjhanna2 @OnDaBus6am @loky080659 @s17_scott @mtzben3921

23921) 0.4404) 😂 5 days ago.... $TSLA  https://t.co/iSsOxmbTqq

23922) 0.7411) How good are professional Wall Steet analysts? They are this good (actual Wall Street ratings on $TSLA):  https://t.co/R8wHkjmqeW

23923) 0.4215) This $TSLA drop will be beautiful.

23924) 0.4404) (That’s funny, I thought a range of $115-650 would do it) $TSLA

23925) 0.6486) Intriguing insight here. We know you're a scammy company. But we rather like the scam. Would you kindly keep scamming for so long as we can spinning our shares? $tsla

23926) 0.7351) Some fascinating info here. Changzhou Almaden, which manufactures the "Tesla" solar roof, is 5%+ owner of SolarMax. Some interesting Silicon Valley - China relationship here. Btw, who is Hu? $tsla

23927) 0.3182) Interesting to learn that the reason Tesla semi wasn’t being pushed as hard Into production is driven by battery cel constraints. $tsla

23928) 0.4404) $TSLA... going to be opening somewhere up there.  Do the shorts give up yet?  😂  https://t.co/Vp9pS1rUiW

23929) 0.2732) If I am calculating this correctly, $TSLA now has a p/e (non-GAAP of course) of over 21,000.  I guess that is better than negative.  Made possible thanks to the fraudtastic Q3 and Q4 2019.

23930) 0.5859) MANY knew subprime was a joke on wall street.  When it was a clear short, it worked.  What's different here, is that EVERYONE knows $tsla's a sham (save a few irrelevant players ). But it's the sham itself being embraced.  That's new. Requires careful assessment

23931) 0.5773) 1,000,000 Robotaxis on the road by year end. Doesn't mean that they won't kill you.  $TSLA $TSLAQ

23932) 0.4404) $TSLA you good? 👀👀  https://t.co/PuLxgtXH97

23933) 0.92) $tsla stock of the year! and ive made 0 money from it 🤣🤣🤣🤣

23934) 0.9964) Congrats to @elonmusk and the whole out-of-the-world team at @Tesla‼️💖👏‼️💖👍‼️💖🎉‼️💖🥳‼️💖🎉‼️💖👏‼️💖📈‼️  We want to see and use more of your alien technology ‼️👽‼️  And congrats to you @Gfilche for becoming one on the most important sources for $TSLA analsis‼️ 🍾 🥳 🎉

23935) 0.8241) Is it just me or were analysts just wasting our time on the $TSLA call? Starlink, cap raise, please please cap raise, please please spend more, please please please buy shit you don't need, just raise already.

23936) 0.8674) Tesla minivan! Okay so the battery tech isn’t ready but let’s at least see a mock-up...  “Will it make sense for us to do sort of a minivan or sort of Sprinter like van at some point, probably, but like I said we have to solve this battery...” -Musk on earns call today $TSLA

23937) 0.9001) What a day for @elonmusk ... #spacex Launch in the am. #Tesla Earnings in the afternoon.  Winning day.  Congrats $tsla twitter.   The best part is Zach is another genius on that team apart from many others. Head on his shoulders.  Let me go and count my $$$$$.  https://t.co/ysMCojmAei

23938) 0.4767) This guy is not chitchatting in Davos, or showing off in auto saloons or presenting marketing pitches. This guy is hardcore engineer working and innovating 24x7. And he knows his stuff like no one else. World owes him dearly. $tsla

23939) 0.5255) $TSLA earnings trade put out in Trading Hub this morning Mar. 600/675/750 call fly $10.50; prob. be even better is used Jan 31 (W) !  Closed A/H right near first Fib. extension, see if reaches 668  https://t.co/Dv2LV0hvzj

23940) 0.6682) The earnings call just made me want to buy more $TSLA.  Dear $TSLAQ, please sell me some.

23941) 0.3612) Sounds like $TSLA OpEx is gonna go through the roof this year.

23942) 0.8519) Honorary $TSLAQ earnings happy hour post with the gents. Guess which hand is @PlugInFUD’s. $TSLA @Paul_M_Huettner @_GiveWhat_  https://t.co/9J69RuALZA

23943) 0.624) @ajsdevodent It is now becoming more clear, $tsla is not transforming an industry, it is creating a new industry.

23944) 0.0772) Dear my November 2018 self,   To answer your question, all of them, they all lost their minds. So much in fact they are now buying meat made of vegetables.  Signed,  January 2020 self. $TSLA   https://t.co/WbTrckWvWF

23945) 0.6369) Elon showing the love to retail investors a couple times this call $TSLA ❤️

23946) 0.3612) If $TSLA is "super deep" on battery cells, why do its cars keep catching on fire?

23947) 0.2023) $tsla stock price reaching Palo Alto area code in AH.

23948) 0.8795) Elon Musk sounds very relaxed and confident on this conference call. He's laughing at times, and has thrown in some quiet sass. $TSLA

23949) 0.2648) Musk just acknowledged that FSD take rate has a major impact on profitability.  Consider that in the wake of the "accidental" FSD upgrades caused by addition of the in- app purchase "feature" at the end of Q4  $TSLA

23950) 0.128) $TSLA $TSLAQ he just might have had his car Repo’d 😬😂  https://t.co/8AJdGWkg6e

23951) 0.4939) $TSLA $TSLAQ every time I here @elonmusk speak i'm amazed people think he is a genius.

23952) 0.7003) If I've learned anything during this Tesla earnings call is that their battery supply is a MAJOR limiter in production of their cars. The better, cheaper, and faster they can make batteries, the better their company will be.  $TSLA @Tesla @elonmusk $TSLA

23953) 0.5859) Just cracked a beer and listening to this $TSLA call. Elon really know his stuff. He really is the Thomas Edison of our time. There is a lot of money flowing to clean energy. That's basically $TSLA's business model.

23954) 0.4215) Nice, Dan Galves essentially getting to my question on CAGR. $TSLA

23955) 0.5719) Kind reminder: $TSLA was at $176 ~7.5 months ago, with exactly the same number of Robotaxis on the road as now.  $TSLAQ

23956) 0.9395) @elonmusk @Tesla $TSLA being profitable &amp; cashflow positive means the transition to EVs, solar, batteries &amp; autonomy will happen faster than ever &amp; is even more of a sure thing  the future has never looked brighter. we ARE changing the trajectory of future C02 emissions. im so happy😁🌎⚡️🔋🌞🚗

23957) 0.6369) @Coyoteblog @DonutShorts @TESLAcharts @FTAlphaville has done the best work on $TSLA and “500,000”. @ajb_powell

23958) 0.6249) Great show tomorrow with ARK Investments talking Tesla earnings on @TDANetwork at 10:40 am pst. - Going to be an action packed day of trading in $TSLA

23959) 0.5859) Got 3 new amazing things in the mail. One from @teslaownersSV the other two from $tsla  https://t.co/qKHfdwO75K

23960) 0.9821) .@elonmusk giving a shoutout to analysis of small retail investors vs institutions and analysts. ..so amazing ☺️  honored to be a longterm shareholder of $TSLA. the world should be celebrating this financial success &amp; its impact on clean energy &amp; transportation. congrats @tesla!!

23961) 0.4404) @TESLAcharts Good thing $TSLA has regulatory immunity.

23962) 0.6884) "Three orders of magnitude increase in labeling efficiency" for FSD software development.  THIS IS MATERIAL!!!  $TSLA #NotSellingAShareBefore5000

23963) 0.3802) Here that @Gfilche ! That's us :-) #tesla $TSLA

23964) 0.4926) Thanks @elonmusk ! #tesla $TSLA

23965) 0.6369) Love him or Not @jimcramer made a helluva call on $TSLA.. Just saying its what it is

23966) 0.4404) "Most retail investors understand $tsla better than analysts. Doesn't it make sense to take most questions from retail investors and not analysts?" (paraphrase)

23967) 0.5563) "Feature complete doesn't mean the features are working well"  - @elonmusk   This dude is a total joke...   $tsla $tslaq

23968) 0.91) Found it $TSLA calls sold record  Also sold 100 shares at $360 in Dec  Can someone tell me how much I missed all together? 🤦‍♂️  I better not tell this to my wife 🤣🤣🤣  https://t.co/JbD5wYTRaF

23969) 0.4767) What regulators approval is $TSLA waiting on for "full self driving" roll out in the U.S.?

23970) 0.6249) "The Buffalo factory is doing great." $TSLA  https://t.co/BovlOxI2UD

23971) 0.8807) This is how I bought the $TSLA bottom last year at $188 and nobody did care 😉  Most obvious strock trade in 2019. x3.5 without leverage. What's that at x20 leverage? Do your math.  Now they start to FOMO 🤔 Okay I sell some to you... my friends 😁

23972) 0.807) On $TSLA CC @elonmusk talked about their progress over the last decade...   #Tesla is making nearly 1,000x more cars per year than in 2010.. he's very excited about what they can accomplish in the next 10 years 👀🚀

23973) 0.8176) Increase in ASPs, as expected 👍  Capital efficiency excellent 💯  $TSLA #NotSellingAShareBefore5000

23974) 0.4404) And everyone thought Bitcoin was too volatile.  Good call on $TSLA.  https://t.co/10WRIApdOC

23975) 0.4404) #Cybertuck "we will sell as many as we can make" for many years. "The product is better than people realize" $TSLA - @elonmusk  https://t.co/jS1trY2nel

23976) 0.1531) A Month or so in the Life of A Young Huckster @WilliamKaraman  On December 17, 2019, Slick Willy opined it was a "Great time to be shorting $TSLA like crazy at 379" expecting a "crash to 360"  https://t.co/nIDtv080KL

23977) 0.5859) After big $TSLA beat Wedbush slaps $900 PT on Tesla wow

23978) 0.5267) First lie less than 10 seconds in. Congrats to everyone who had the under. $TSLA

23979) 0.5983) Another good and profitable quarter for $TSLA! 📈🚀  So, how did my Q4 forecast do?  Every line I forecast was within $0.1B... 🤓 except the earnings line... which would've only been off $0.05B if I'd known to forecast a $72M hit for non-cash @elonmusk stock compensation.  https://t.co/6rYWYg05I1

23980) 0.4404) What’s going on tonight $TSLA? Anything good

23981) 0.2607) Constant innovation and willingness to pursue theoretical ideals is where $TSLA bears consistently miss the mark, and why competitors will never catch up. Congratulations @elonmusk and team!  https://t.co/MTlBe0Kyar

23982) 0.4019) Import records show that $TSLA has been importing its "solar glass" from China for years. So the sourcing choice in October 2019 wasn't sudden. And the claims about New York manufacturing are clearly false (imports from China have gone to Oakland, CA). Data from @ImportGenius.  https://t.co/Bvs2vFxUOX

23983) 0.4754) GF3 design looks really efficient 🤩🚀 $TSLA  https://t.co/49TszaQ3dy

23984) 0.7506) And we $TSLA 🐮🐮🐮 are going to enjoy the earnings calls   Bye 👋

23985) 0.25) $TSLA is up 105% after Elon Musk endorsed Andrew Yang.  #YangGang #YangOverBernie  https://t.co/2tlR9jDOLz

23986) 0.4939) Definitely feeling the new 20" "induction" wheels on the #Tesla #ModelY $TSLA  https://t.co/a8zTtSInUq

23987) 0.5801) If people like @chrisidore were not misleading investors with atrociously false headlines &amp; stories, &amp; were instead reporting actual $tsla results, this would be the news:  https://t.co/1U89OLQjWt

23988) 0.6121) One more INSANE comment: With $TSLA at $650, it’s a great time for @elonmusk to do a capital raise. WHY??? #TSLA will be CF positive going forward. Net debt at YE was $7.1B. ‘20 Ebitda will be $4.2B.  Net debt/EBITDA is 1.7x. THAT’S INV. GRADE!! $TSLAQ can raise $2B debt easy.

23989) 0.2263) What are the $46 million in "government grants" that $TSLA received in Q4 2019?

23990) 0.3147) Don’t forget all the incel bro-trader accounts that we’re telling you $TSLA was a slam dunk short!   $TSLAQ lads have gone INSOLVENT 1st 🥇 😭🦇💀  FinTwit has an unrivalled track record of being THE best contra-indicator!

23991) 0.5719) So while Tasha was on TV promoting $TSLA stock today, Ark once again sold 14,222 shares  https://t.co/dXqf8INgPS

23992) 0.5777) Tesla Earnings Were So Good, It’s Now a $600 Stock | Barron's  $TSLA  https://t.co/kY75aVoCrp

23993) 0.3869) $TSLA up $85 so far today.   This fresh squeezed $TSLAQ juice is so refreshing.  https://t.co/llPGXVcGUi

23994) 0.5719) @Gfilche This is just the beginning, and it will go much higher, but we need to encourage calmness to minimize damage through the likely volatility due to the upcoming short squeeze while maximizing overall return in the coming year and beyond.  $TSLA #NotSellingAShareBefore5000

23995) 0.296) Excellent job @TMLTrader crushing it on $TSLA with a sound rules based process void of emotions.  #TMLmodelPortfolio #TickerMonkey    https://t.co/667jxU6nnL

23996) 0.6249) ModelY will take the industry by storm. It will address multiple segments from senior population to families, outdoor fans, ppl with active lifestyles. It is a vehicle for everyone with immense value. $tsla

23997) 0.8185) Who's getting theirs FREE with their stock profits!?! $TSLA

23998) 0.7351) Hi @elonmusk I’d like to buy some of those $TSLA shares for $420 as promised

23999) 0.5859) $TSLA Cost of service up &lt;1% y/y  It's amazing how you rein in service costs when you don't answer the phone or emails.

24000) 0.7958) Not that @elonmusk or $TSLA need my advice but right about now could be a good time to issue more shares.

24001) 0.5994) Does the $TSLA movement after hours qualify as “burn of the century”, @elonmusk predicted 2 years ago? It certainly feels like it👊  https://t.co/h9NOrJJFSh

24002) 0.8743) Remember when @elonmusk wanted to take $TSLA private for $420?  What a f*cking bargain that would have been. The short sellers could only be so lucky. You know.. give the current ~$650 stock price.  Anyone remember what Chanos' biggest and best short position was?

24003) 0.7882) Attention $TSLA bulls.  Party in Lithuania? Anyone? Head to the seaside, find an unused airport runway and do some drag races in the best and fastest accelerating cars IN THE WORLD?  Who's in?

24004) 0.91) $tsla was a great grab for active traders above $594.50 and might pay the $600 calls.  And Definitely rewarding long term investors  https://t.co/3DfJExpW6j

24005) 0.4404) $TSLA I have been holding for 8 months and 6 days. patience means profits🙋‍♀️🚀💰✔️

24006) 0.6908) I think the only thing better than the $TSLA Schadenfreude will be the Trump re-elected Schadenfreude.  Fingers Crossed. 🤞  See you in 10 months or so. 😘  https://t.co/a3xhfY8oOl

24007) 0.875) good call by a couple guys on twitter who said $TSLA was "safe" to short because short interest fell a million shares

24008) 0.8695) I have lost my voice already 😅😅😅😅 $tsla   I'm so excited, and I just can't hiiddeee it

24009) 0.7984) $TSLA may be a valuation short, but it ain't going bankrupt w/an equity valuation like this

24010) 0.6249) $TSLA shows the importance of being focused on names with potential to become #TrueMarketLeaders, starting with the EPS gap up on 10/23 through 10/24/2019. Buying these EPS gap ups is a key trait in positioning &amp; handling these TML's properly.  2019 Model initially bought at 300.  https://t.co/0fhc8asPvd

24011) 0.5859) $TSLA  Net Income (GAAP): $105 million Regulatory Credit Income (100% margin): $133M  Acct Payable + Accrued Liability + Def Rev: +$829M   Other (cash flow) +$204M  Cash +$1B Interest Income -33%  https://t.co/dyOvtljLRF

24012) 0.2003) SP500 MAKE AN EXCEPTION FOR $TSLA! YOU'RE GOING TO DENY A $115B MARKET CAP COMPANY JUST BECAUSE IT HASN'T POSTED A YEARLY GAAP PROFIT?

24013) 0.802) $TSLA Congrats to Longs. You win.

24014) 0.8806) "Due to continued engineering progress of the Model Y AWD, we have been able to increase its maximum EPA range to 315 miles, compared to our previous estimate of 280 miles. This extends Model Y's lead as the most energy efficient electric SUV in the world." #Tesla $TSLA

24015) 0.8205) $tsla how updated is that short float??  If 18% is short that’s 18% who are the dumbest fucking people in the world  At $200, ok good idea At $350, ok seems over done At $420, ok haha we got there  At $500 - the game is over - Jesus  https://t.co/Xf39DhoEcm

24016) 0.4404) Good catch.  $TSLA Q3 EBITDA mysteriously jumps $200mm.

24017) 0.3182) While $TSLA claims that stock comp is a core part of its employee compensation package including for shop workers . . .  Tesla decided to increase its EBITDA by . . . adding back stock compensation expense to EBITDA to inflate said EBITDA.  the magic of games, Q3 vs. Q4 below  https://t.co/3Y1keQA3AH

24018) 0.956) LOL. TFW you care about the little guy  The $TSLA trade didn't go as well as I wanted; and I abandoned it some time ago. The people that care for me still love me and I try to do right by everyone. Thank for asking @chamath, I hope you're doing better.

24019) 0.7992) Don't look now but $TSLA is up $67 nearing $650 in this whacky after hours session. LOLZ.  https://t.co/abkRccpqHg

24020) 0.5067) not investment advice &amp; not calling top, yada yada  Love the $TSLA short again here. Foundation hasn't strengthened, house of cards has reached a few decks too high, well beyond its steeze, &amp; lots of negative catalysts everyone forgot about gathering strength over the Pacific.

24021) 0.4019) Yes, and I'm holding.  $TSLA #NotSellingAShareBefore5000

24022) 0.7351) $TSLA at $650 AH ... not counting on this to last ... but wow  https://t.co/dDNlcuObSh

24023) 0.5927) Certainly some unintended acceleration in $TSLA today AH🤣  Old joke, but again the wrong kind the shorts were looking for.  https://t.co/TEnHqb7zVf

24024) 0.5319) Fund blowing up SECURED $TSLA

24025) 0.9695) Thank you to everyone for the wonderful messages. We’ll see how they want to close $TSLA tomorrow but so far so good. Nice solid volume after hours at 22%. I think I’ll have some wine tonight to celebrate.   Whose in?   🦆

24026) 0.0772) Volkswagen called, they want their short squeeze back… $TSLA

24027) 0.9528) Dear $TSLAQ, I have been strong before and had not clicked on the below box.  But thanks to you, $TSLA is now surging so much I can’t even justify not getting the acceleration boost 🚀  I’ll try my best not to click but don’t know how long I’ll hold 🤪  https://t.co/LFTaxAo5p8

24028) 0.128) $TSLA going ham after hours — new all time highs now 630’s printing. Last time the company “beat” it went up every day for 3 months to the tune of $300 per share. Let’s see how weird this gets.

24029) 0.1531) $TSLA a last one before I prep. for Bloomberg TV... Model Y range increased to 315 miles... more than Model 3. Tough time for other auto manufacturers...

24030) 0.5927) Stocks/flows etc but at $620 $TSLA is being valued at roughly $200,000 per 2020 delivery assuming their guidance holds up.

24031) 0.7419) Really relieved that $tsla is soaring, so that this didn’t mark the top. I was sure it would!

24032) 0.2732) What is:  "Zach Kirkhorn is the god Elon Musk aspires to be?"  $TSLA $TSLAQ

24033) 0.3612) My new strike price for $TSLA is ~$2,333.   That'll make the Market Cap $420B. 😁

24034) 0.2869) Did $TSLA finally admit in writing that "deliveries" are not "sales?"  Which analyst will finally ask: WHAT IS A DELIVERY?  https://t.co/4ycPnWKnCM

24035) 0.3802) Whoa, look at the after the bell huge jump up to $623! BURN BABY BURN $TSLA $TSLAQ  https://t.co/Bz9zf74ix5

24036) 0.6119) Wow $TSLA trading at $620 after hours on earnings. Where do the last shorts capitulate?  This thing trades more like a coin than a stock. I've learned not to step in front of freight trains, but the remaining shorts giving up could push price to levels it can't sustain for long.  https://t.co/zV64okJGgi

24037) 0.2732) #ModelY EPA range increased for both long-range AWD and performance to 315 miles, and deliveries to begin in March. $TSLA #Tesla  https://t.co/DOF312Tgo4

24038) 0.431) I think I’m finally understanding $TSLA.  My directional bet played out, I have zero confidence in the financials or the business, but I understand the stock price. In the near term, I will probably start working towards shorting again

24039) 0.9347) Totally Smash-down Quarter for Tesla!! Tesla Expects 2020 Deliveries to 'Comfortably Exceed' 500,000 Units, Model Y production starts 2021 in China, positive FCF going forward, strong MIC Model 3 in China and more info in our article.   Congratulation again to all $TSLA 🐮

24040) 0.5106) FACTSET:                ACTUAL: EPS GAAP:         $0.71                          $0.58 EPS nonGAAP:   $1.78                          $2.14 Revenue:             $7B                            $7.4B Free cash flow:   $429                          $1B $TSLA

24041) 0.7717) So $TSLA booked $133mm if free EV credits sales, accounting for 127% of their Net Income. This is a busted business model if I’ve ever seen one. Company still worth $0. $TSLAQ

24042) 0.5162) lol, almost all of the $TSLA beat came from 46 Mio it received in Govt grants.  Without Govt grants and credit sales, it would have posted a GAAP loss of 50-80 Mio  https://t.co/hTkzkBaqiW

24043) 0.6369) Let that sink in. Take a deep breath read it again. $tsla ♥️

24044) 0.4404) Let me just make sure I understand what’s happening: $TSLA announced that they had a 2019 GAAP loss of over $800M, said they plan on being profitable from now on (which they have said every year since 2013), and you guys think that makes them a $110B company?

24045) 0.4404) I hope $TSLA splits 2:1 when it hits $840

24046) 0.2268) $TSLA looking like shorts got royally fucked here. Stops got taken out with no prisoners taken.  615 Support holding.

24047) 0.8442) Pretty happy with my $TSLA shares right now…

24048) 0.8908) $TSLA   what a symmetrical pattern: number of shorted shares peaked last year coincident with bottom of stock price 10MM shares covered before stock run up in Fall  As always, thank you for your great work @ihors3 @S3Partners !  https://t.co/Xsuzqz4EB4

24049) 0.2944) "...Tesla to ultimately reach an industry-leading operating margin."  By far the most important statement in this release.  $TSLA  https://t.co/FiVdBTLwv7

24050) 0.8718) Great report from Tesla and good progress on Model Y! $TSLA Q4 vs my estimates: Revenue $7.4bn (E $7.3bn) Auto Gross Profit $1.4bn (E $1.4bn) Q4 Operating Cash Flow $1.4bn (E $1.4bn) Cash balance $6.3bn (E $6.2bn) Q4 GAAP diluted EPS $0.6 (E $1.5)

24051) 0.6124) @TESLAcharts well, if we take $TSLA 2H 2019/2018, revenue, profit &amp; EBITDA all fell y/y, so there's that.

24052) 0.3818) Analyst upgrades will continue.  Credit rating upgrades imminent.  $TSLA #NotSellingAShareBefore5000

24053) 0.1531) lol $TSLA forgot to rename the file to Q4 No desert for Zach  https://t.co/sVS9iXhBo9

24054) 0.8655) Got $TSLA for +$12.00/share on the long side and +$5.00/share on the short. I could sit here and be a FURU and brag...but the truth is that it was 5 share positions.   I got my jollies out 😂 Time for breakfast!  https://t.co/5fLWBEGin5

24055) 0.3384) OCF- capex . . . which $TSLA very well knows isn't a proxy for FCF due to depreciating expenses of leased cars &amp; finance leases.  Total hogwash.  https://t.co/NsTD1DJTYy

24056) 0.296) Tesla Reports Earnings📈  ➡️ Earnings Per Share: $2.14 vs. $1.72 estimate.  ➡️ Revenue: $7.38 billion vs $7.02 billion estimate.  ➡️ Vehicle deliveries set to exceeded 500,000 units in 2020.  #CheddarLive $TSLA  https://t.co/ObouSpXVKD

24057) 0.5093) $TSLAQ crybabies incoming!  Glad I switched back to $TSLA side yesterday.

24058) 0.765) Tesla's 2019Q4 free cashflow ($1B) exceeded Wall Street's 2020 full-year free cashflow estimate ($974MM)  $TSLA

24059) 0.5171) how do $TSLA auto revs grow 19% q/q yet gross margin fall 30 bps? Somehow, $TSLA claims incrementals from growth.  What gives?  Separately, anyone ever see where Tesla defines "free cash flow"?  https://t.co/1Wtg09rdfZ

24060) 0.2263) @elonmusk note that the last two ER's we've gotten leaks beforehand that ended up being directionally right.  Q3: weird Yahoo article that said Tesla would be profitable unexpectedly - they were Q4: Semi leak that noted full year profitablity.  God sends his disciples signs. $tsla $tslaq

24061) 0.8519) 400k+ annual production run-rate, $1 billion of free cash flow generated in 4Q, and finally starting to crack the code on energy storage.  Beautiful. $TSLA   https://t.co/m0iaztYDNW

24062) 0.636) Congratulations $TSLA nation!

24063) 0.7269) $TSLA posts Q4 EPS of $2.14 (non-GAAP), ahead of FactSet consensus of $1.65. GAAP EPS of $0.58 ahead of consensus $0.43. #Tesla  • +$1.0B in free cash flow • Model Y production ramp has begun, ahead of schedule • Vehicle deliveries "comfortably above" 500,000 for 2020  https://t.co/cyOa1ojt53

24064) 0.3182) $TSLA is the prime example of emotional investing. If you rush in to defend or attack a stock when you see something on social media you’re too emotional involved to be staking money on your decisions. Mr Market couldn’t care less about your opinion.

24065) 0.8494) CONGRATS to @elonmusk on the first profitable year in Tesla history (non-GAAP net income of 3 cents per share).  $tsla $tslaq

24066) 0.4939) $TSLA Let me just bring this post up again... Gonna be lots of grumpy A-Hole shorts tomorrow that have to file for BK because of margin calls 🙃🤣

24067) 0.4588) $TSLA surging, expecting more "hedge fund" closures...😎

24068) 0.8465) $TSLA unbelievable move.  @elonmusk has to be so happy he did not accept that $420 buy out offer.  Wow.

24069) 0.6369) $TSLA +10% now. $623/sh  Just the beginning of one of the best investment stories of our lifetimes.

24070) 0.9595) Help me Jesus, Help me Jewish God, Help me Allah, Help me Tom Cruise, Help me Oprah.... $tsla Shorts please for the love of anyone of those named above just stop shorting. Just buy lotto tickets at this point! $tslaq cc @GerberKawasaki  https://t.co/9XUu55vStI

24071) 0.34) $TSLA call options were just too expensive to play. The 620s were $1,500 per contract.

24072) 0.7944) Q4 2019 @Tesla $TSLA  $1B FREE CASH FLOW  $930M INCREASE IN CASH AND EQUIVALENTS TO $6.3B  $105M GAAP NET INCOME  $386M non-GAAP NET INCOME

24073) 0.4404) $tsla ok dine out for steaks.  wife no cooking. 😂  https://t.co/2iODXi9l0P

24074) 0.2023) $TSLA up on significant EPS &amp; Revenue beat.

24075) 0.7269) $TSLA hits $623 after-hours on EPS &amp; sales beat; strong guidance. Says FY20 vehicle deliveries will 'comfortably' exceed 500k units.

24076) 0.1779) Wow. What’s the short covering gonna do to the $TSLA stock price now? Holy smokes. This thing has a mind of its own and, IMO, is dangerous as both a long and a short.

24077) 0.296) #MarketWatch $TSLA surges in after hours trade -- quickly surpassing $600 per share -- following earnings beat.   Tesla posted earnings of $2.14/share vs $1.72/share expected, $7.38 billion in revenue vs $7.02 billion forecast.

24078) 0.25) Tesla ( $TSLA ) Crushes Q4 2019 Earnings with Adj $2.14 EPS, $7.03B Revenue  Congratulation All Tesla Bulls   https://t.co/qIPJw0DRc9

24079) 0.3182) Last Telsa short, please turn off the lights. $TSLA

24080) 0.4466) SHARES OF $TSLA UP 5% IN EXTENDED TRADE AFTER QUARTERLY REPORT

24081) 0.7184) And there goes $600 for $TSLA / $TSLAQ. 😊

24082) 0.8635) Decent earnings report, pretty much inline. Not 100% sure it's the beat the market wanted. I guess we'll see. Either way amazing Q4!   GAAP EPS $0.53 Non-GAAP $2.14 Free cash flow $1b Cash $6.4b  $TSLA

24083) 0.6369) If you know a $TSLA short, please take their shoelaces from them. Thanks.

24084) 0.34) $TSLA $620 Funding secure +$200 spare change

24085) 0.6932) $TSLA "Due to continued engineering progress of the Model Y all-wheel drive (AWD), we have been able to increase its maximum EPA range to 315 miles, compared to our previous estimate of 280 miles. This extends Model Y's lead as the most energy-efficient electric SUV in the world.

24086) 0.886) Congrats to everyone.   You have permission to get spent tonight.  Enjoy the winnings.  $tsla beats every number.

24087) 0.5719) didn't quite get to $420m but nice effort papa. $tsla $tslaq  https://t.co/u2XklIFh82

24088) 0.3612) Awaiting $TSLA @Tesla earnings like...  https://t.co/LfTftXcGr7

24089) 0.6597) Elon's insecure incels, likely went in debt to buy a Tesla &amp; own a single share of stock, are excited about the $TSLA Earring's Call. Reminds me of people whose team went to the Super Bowl &amp; lost talking like they personally lost the ring, millions &amp; a free trip to Disney. $TSLA  https://t.co/QGmJ9JXlx5

24090) 0.3182) Tesla $TSLA sets fresh record high close of $580.99

24091) 0.4767) If you aren't waiting for $TSLA numbers with bated breath you aren't enough of a degenerate for us to be friends...

24092) 0.5719) Bought more $TSLA a few minutes before market close 🔔 Happy earnings day

24093) 0.4588) Bought a 2/14 $1,000 $TSLA call for the lulz.  https://t.co/ZLzjTCSEPo

24094) 0.6331) It’s all about ‘silencing’ customers.. Zero intention of Improving!  My husband was just removed &amp; banned from the @Tesla Energy: Powerwall, Roof, Solar Facebook group for posting this👇  @TESLAcharts Chartcast is well known on &amp; off Twitter ! ! !  $TSLA $TSLAQ #Tesla #Teslasolar  https://t.co/tipQ008mXr

24095) 0.4767) ‼️Tesla Model 3 is on the exclusive list of orders for cars for senators and secretaries of state of Germany‼️  @Tesla @elonmusk 🥳🇩🇪🙌🏻☀️ #Tesla $TSLA #TeslaGermany #Germany  https://t.co/Jdjx4jhZPb

24096) 0.6017) Whether $TSLA goes up or down $50 tomorrow (and believe me, it will do one of those and no matter what anybody says, nobody knows which it will do), it's irrelevant to its long term success! To understand why, watch this:  https://t.co/1zTPmLIVrW

24097) 0.6114) Happy $TSLA earnings day, everyone!😏  https://t.co/BMdzvPR5es

24098) 0.6597) Q3 numbers to keep handy for comparison: Cash: $5.3b Free cash flow: $371m GAAP Op Inc. $261m GAAP Net income $143 non GAAP Net income $342 GAAP gross margin 22.8% GAAP EPS $0.80 non-GAAP EPS $1.91 Rev: $6.3b $TSLA #Tesla

24099) 0.7585) last call for shitcalls and shitputs! come get your shitcalls and shitputs!  (or, actually, in almost all certainty, don't be an idiot baggy like ol elmer).  $tsla $tslaq  https://t.co/ZJOR2pGAlh

24100) 0.4767) It feels weird going into $TSLA earnings flat.  Maybe I should short 1 share to keep my steak alive.

24101) 0.4577) I’ve never seen a better group of numbers and letters produced by #Tesla 😘🥳 🤩 $TSLA  https://t.co/DCvlN2532p

24102) 0.34) Carrying my 58% $TSLA position into earnings. This is the remaining 2/3s.   My gain reduces to +57% at 2x IV to the downside from +100%. #nofear #noemotion   🦆

24103) 0.4404) @elonmusk How come none of your enterprises has ever earned one dime of annual profit? $TSLA $TSLAQ

24104) 0.8271) its harder than you think to populate 24 bingo squares...  but hear ya go  Elmer Terminal official Tesla Q4-20 Earnings Bingo  i'm ready for the fun @elonmusk   $tsla $tslaq  https://t.co/2tH0jsBGfo

24105) 0.3612) It appears that $TSLA will talk about delivering model Y’s on the earnings call today. Here are a couple dozen ready for delivery. Photo taken today.  https://t.co/wGbsq6J0I9

24106) 0.5187) I have a feeling $TSLA Tesla bombs earnings tonight but puts are just too expensive to play

24107) 0.2617) Model Y is priced higher than Model 3.  But it will cost about the same to make. I wouldn’t be surprised if it actually ends up being * cheaper * to manufacture, especially vs. 1st gen Model 3s.  Difficult to overemphasize how meaningful this is.  $TSLA

24108) 0.9062) I f*cking love how @Gfilche humorously and calmly dismantles Johnson’s cherry picked short thesis data. 😅 Full video  https://t.co/1NbTXXoBE2 $TSLA #Tesla

24109) 0.4215) Hey @elonmusk I know your a man of the people &amp; you’ve already started changing the World. It would be easier for the Retail investor mentally, to buy $tsla If you did a 7 for 1 split so they can get in for the next decade.

24110) 0.4404) So, the $TSLA Solar Roof Tiles are actually the Changzou Almaden Solar Roof Tiles. How many of the score or so of purchasers were advised about that by the reseller?  I hope at the upcoming Delaware trial, plaintiffs' counsel will refer to them as Changzou Almaden roof tiles.

24111) 0.3612) Who’s ready for $TSLA ER/call?  https://t.co/hws3QWrvaC

24112) 0.3612) Will Model Y ready for production/delivery be the “one more thing” in today’s conference call? $TSLA

24113) 0.7355) $TSLA Not playing the Quarter but the chart says higher ¯\_(ツ)_/¯...I would love to be wrong 😂

24114) 0.7269) Tesla Notary Has Certified Purchase Agreement, Gigafactory 🇩🇪 Berlin GF4 Plans 500K units  🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗  Thanks buddy 🙏🏻 @Gf4Tesla   $TSLA #Tesla #Germany #GF4   https://t.co/1PLnpzP8vX

24115) 0.9127) On this day of $TSLA earnings, I remember Feb 2016 when LinkedIn was slaughtered by 45% for missing growth  No fraud, no fatalities, no losses  Just a miss on growth.  How much the market has changed in 4 years...  $tslaq

24116) 0.3182) Translation: Make sure you are sitting down when you read the earnings report. $TSLA

24117) 0.128) Final Q4 $TSLA estimates:  Revenue: $7.2 billion GAAP Profit: $260m Operating Cash Flow: $1.3 billion FCF: $750m Cash &amp; Equiv: $5.5b Net Debt: $6.7b Net Debt / EBITDA LTM: &lt; 3X  (Overdue) credit rating upgrades by March 1.

24118) 0.902) happy $TSLA earnings day! 😄🥳

24119) 0.6613) 🔔Media Alert🔔 Analyst @TashaARK will join @CNBCClosingBell this afternoon to discuss the $TSLA earnings, #BigIdeas2020, &amp; more. Don't miss it!  🖥️:  https://t.co/O3Ch49G5Ps  https://t.co/7Oiulyc8aB

24120) 0.25) @TESLAcharts Collecting subsidies in New York for a product made in China is not something I ever thought of.   I need to get better at thinking like a criminal.  $TSLA $TSLAQ

24121) 0.8265) Let’s play which number is greater (no Googling please):  1. Total number of $TSLA Netherlands registrations in Jan 20 so far. 2. Total number of NY Yankees postseason appearances.

24122) 0.3182) Even if Changzhou Almaden made this product to $TSLA specifications and the concept had been tested in-house, one would hope there would be time to test the real thing given the company's experience with Project Titan and &gt;100 solar-related lawsuits.  https://t.co/yV1DVOEzXT

24123) 0.6249) I've always admired @lorakolodny's eye for a $TSLA story, especially with regards to reaching out to real customers experiencing issues.  I look forward to this article when it drops, because I know she'll give a voice to these people &amp; force the company to respond w/ a statement

24124) 0.4215) Check out a sneak peak of the #Tesla #Model3 Forged Performance Referral wheels from ⁦@BLKMDL3⁩ posted via ⁦@Model3Owners⁩. What are your thoughts? I was hoping they’d be more along the lines of the #TeslaModel3 prototype wheels. $TSLA  https://t.co/sypDv65LY8

24125) 0.7505) I know readers don't all share my fascination with Tesla, but here is an example of why it is fun to watch: Because Musk could say almost anything in the earnings call today, both $TSLA at-the-money call and put options that expire in 2 days trade over $30! @TESLAcharts  https://t.co/k2HWuR7rLT

24126) 0.296) Brawn, a hedge fund veteran who previously worked as a portfolio manager for SAC and Citadel, told CNBC, “ $tsla share price has come totally unhinged. Pundits’ attempts to rationalize aside, the stock has more in common with dutch tulip bulbs . than  .Tesla’s actual prospects.”

24127) 0.2732) Top 10 questions Tesla investors want answered in the Q4 2019 earnings call $TSLA   https://t.co/Ob2EOdZVuu

24128) 0.6444) “Very few do the required analysis to figure this out”.  Indeed. $tsla lives exclusively in a world of narrative. The company’s very existence-  bubblicious stock aside- relies entirely on most lacking the ability or desire to peek behind the curtain   https://t.co/n5SVKqnAkW

24129) 0.7964) Wait... but what about Elon’s promise that he would make the people of New York proud of the $750 million $tsla factory they paid for?

24130) 0.4404) Tesla Model 3 Becomes Family's Unexpected Beacon of Hope Amid Australian Wildfires  $TSLA #Tesla #Model3   https://t.co/CUq16xXQRI

24131) 0.6808) My $TSLA earnings call predictions: non-GAAP profitable 2019; CyberTonka 500k reservations secured; Model Y sooner than expected; lie about Q1 being ok.

24132) 0.9598) I wonder how much $Tsla support has been inspired &amp; strengthened by FUD attacks from $tslaq &amp; #TeslaHaters?   Don’t you LOVE the thought of all the Tesla supporters you may have inspired to action @MelaynaLokosky?  That support is worth BILLIONS!:   https://t.co/Lhqr5UPkhA

24133) 0.4588) Figures from S3 Partners show that during the last month until Jan 24,  $TSLA short interest grew by 0.5pc. #shortinterest #tesla #data   https://t.co/6eaIORyuzG

24134) 0.765) German government made the best choice to lure $tsla to invest in Germany. It will have immense value for Germans in many many ways.

24135) 0.4019) B of A: “.while we admit $TSLA is a trailblazer,.. we believe investor optimism about.. sustainable profits/cash flow inflection is overblown, while a litany of risks about core EV market demand.. is still not reflected in the stock price”  Reiterate underperform Ups tgt to $350  https://t.co/zGPHBetPgg

24136) 0.6037) $TSLA: FYI, the minimum threshold for a Q4'19 results rally after today's report is GAAP net profit of $400m or $2.22 in EPS, given the current share price. Consensus is $0.70.  Then there's delivery guidance. Street sees 450K in 2020. With China's problems, is that possible?

24137) 0.8743) yes, true. Jimmy Chill's view about the quarter is that it is irrelevant to my positive view!!! $TSLA

24138) 0.6114) Happy Earnings Day everyone!  @Tesla $TSLA @elonmusk  @mayemusk  https://t.co/UpR1xBx1oi

24139) 0.3182) If the #Tesla #Model3 production ramp was ‘hell’, what gif would describe #GigaShanghai production? (Answer below please) $TSLA  https://t.co/VjtLMN2AIt

24140) 0.8922) Stay home and do nothing but wait for #Tesla's $TSLA surprising forth-quarter results.😊

24141) 0.1779) Tesla CEO @elonmusk’s  Hornsdale Battery Challenged by 1000MW Installment in Queensland by AGL  AGL—an Australian energy co that generates &amp; retails electricity and gas for residential &amp; commercial use—signed a 15yrs deal to use Vena Energy’s battery $TSLA  https://t.co/eNr5EcqSYw

24142) 0.25) The @BoringCompany’s first Las Vegas tunnel is poised for February completion 🚇⚡️🎰  https://t.co/SZHAXAgoE9 $TSLA #EV  https://t.co/seA5x7AWnY

24143) 0.4404) $TSLA should reach $666 today lol

24144) 0.3527) $TSLA is an overvalued car company. Cultist: "Tesla is also an energy + battery company in hypergrowth."  Hypergrowth? What slowed the hypergrowth in 2019?  Cultist: "Tesla was battery-constrained. Panasonic couldn't keep up with Tesla's hypergrowth."

24145) 0.8271) $TSLA &amp; $TSLAQ both have sleepless night before earning, but in different moods 😂😂

24146) 0.0772) 🐻: don’t worry, Q1 2020 will save us   $TSLAQ $TSLA  https://t.co/TAPUaOY9Vk

24147) 0.1027) #ExplainBABYCharts #FraudWatch day 363  It was another busy day for #BABYcharts summoning PaulieDumDum.   All that #coronavirus fear-mongering was a warmup for a #DumDum proclamation for Q1  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/kI3YMDKXpp

24148) 0.7908) @KawasakiKR11 6) All speculation based on a timeline of cell supply deals &amp; $TSLAQ &amp; I'd yawn at it until I see something in the wild. &amp; I expect $TSLA stock to continue to be completely crazy for the next little while anyway... But a 50% higher energy density LFP would be a big win for EVs

24149) 0.4019) @QTRResearch @CGrantWSJ That's what happens when everyone wishes the antichrist is their baby child. It's as if they got hexed or something. 🤔 Am sure it's just coincidence though.✨☀️  https://t.co/JqDdlEawgG #antichrist $TSLA #grimes #twitter #coincidence #parallelism #synchronicity #ironic  https://t.co/U97GBzWgDc

24150) 0.128) Pier 80 Today®...at this very moment, Glovis Sigma is approaching the Golden Gate on its way to Korea (at least allegedly). The thing is...she's not going to the EU, which is pretty shocking for January 28th. $tslaQ $TSLA  https://t.co/8Vzfo8RjW9

24151) 0.3802) Tomorrow’s @TESLAcharts Podcast is sure to bring much of our NIGHTMARE to the surface ... then up next comes the article!  Cc @28delayslater ✌️  $TSLA $TSLAQ

24152) 0.7269) $TSLAQ $TSLA  Almost 5,000 contracts bought today for the $1,000 strike Friday expiration   I appreciate your optimism but you’re at an 11, we need you at about a 3 😆  https://t.co/51yFUr2lb6

24153) 0.5411) Agreed, might be a gory scene for shorts after tomorrow’s earnings call. Elon’s awefully quiet! Full year profitability for $TSLA? 🤞🚀

24154) 0.1511) $TSLA  The Tesla June $550 puts that sold 2000 to open on 12/19 near $154 for over $31M looked to buy those back today at $69.5, banking around $17M...did not want to risk into earnings apparently

24155) 0.9061) $3.8 bil losses for the shorts in Jan. And earnings are tomorrow. Cut to a scene from the joker with that laugh.  Haha haha haha ha. This could be a very interesting day tomorrow. $tsla

24156) 0.7351) My favorite graphic from the Bloomberg article in Tesla. Earnings tomorrow. Always exciting.  $tsla  https://t.co/ClU8Wa8W71

24157) 0.1027) Crazy Eddie Memoirs: So what? Wharton grads are so overrated. It was easier to defraud Wharton grads than high school dropouts. $TSLAQ $TSLA

24158) 0.5826) Look at this. Bloomberg writing something good about Tesla!!! $tsla   https://t.co/pGBd24fk6a

24159) 0.34) My $TSLA play for tomorrow.  Rally into earnings.  After earnings, stays within its expected move.  So - close stock and long calls before the close, then setup an ATM iron fly with wings outside the expected move.

24160) 0.4576) Woooo...options traders bet $2M on a monster post-earnings Tesla rally   Very interesting 🧐🧐🧐  $TSLA   https://t.co/PxblhElB0z

24161) 0.68) $TSLA Well someone has some real courage!  https://t.co/7ybVNedkP0

24162) 0.3873) Nice knownin' ya, California, but we don't like the labor union stirrings, &amp; we've saturated your market &amp; drained all the tax abatements we can, so it's on to non-union NC, which is sure to cough up big subsidies. Oh, and that German factory? j/k! $tsla

24163) 0.3182) Up 121% since Q3 earnings, that was coming out of a bearish environment with $1.91 non-GAAP EPS. Now in  incredibly bullish environment. Decent consensus beat is priced in. Markets will look first at EPS for short term trading. Need to keep cool heads. $TSLA  https://t.co/V2kbLmaBaW

24164) 0.7125) OK - Which one of you bought 900 June $800 Calls?  :)    $TSLA $TSLAQ

24165) 0.7163) Great bullish $TSLA @business article by @DanaHull! I can’t believe it, never thought I’d live to see the day! Props!

24166) 0.1779) @BradMunchen @DisruptResearch You never hear that it is the “next” Yahoo, Palm, Nokia or Blackberry, despite having far more in common with them, than Amazon. $TSLA

24167) 0.4927) @danahull Compared to other companies earning calls I have to say $TSLA is very entertaining.

24168) 0.2235) $TSLA  There ain't no laws when you drive a Tes-lah   https://t.co/IlRFP5O91d

24169) 0.905) I am so ready for the Tesla $TSLA Q4 report tomorrow 😎😎😎  https://t.co/cTKIoHHRkW

24170) 0.2263) THIS DAY IN $TSLAQ HISTORY:  One year ago @notabigdeal111 accurately predicted his loss from shorting $TSLA.🤭  https://t.co/2SIXM97KCv

24171) 0.1302) JPMorgan’s Ryan Brinkman, with a $TSLA target price of $240 a share &amp; a sell rating for the next 12 months has issued 28 consecutive sell recommendations since February 2015; Tesla has appreciated 178% since then.  How does someone so wrong keep their job?  https://t.co/ofb4L1qJBr

24172) 0.2263) The big illusion is that $tsla is supply constrained.  In reality, they carefully build to demand.  That the Shanghai plant is shut down til Feb 9th is helpful to the phony supply constrained” narrative. M3 has already passed peak demand, will decline every mkt y/y a la US

24173) 0.0813) @TheStalwart @AndrewYang Why he’s promoting $tsla hands-off driving in advertisements when Tesla explicitly says not to do that and customers shouldn’t?  Also,  that it’s not capable of inattentive driving 🤷🏼‍♂️

24174) 0.0772) The last 5 days is about as settled as $TSLA has been for a little while now, as we move into earnings tomorrow. For me this means the markets have pretty much priced in consensus, maybe a bit more as consensus always misses on the downside. Need a decent beat for upside tomorrow  https://t.co/vU7kDHN1Dk

24175) 0.2263) Tesla Holds Gains as Earnings Approaches, Volatility Lowers.  $TSLA #Tesla   https://t.co/2yJkKXd6ls

24176) 0.7717) If $TSLA dips a lot a after earnings it’ll jump right back up. Literally every investor who was ‘waiting for a dip’ will pile into the stock and hold until $1000 at least. The smart ones will hold to $5000 and the smartest never sold. CC: @ValueAnalyst1

24177) 0.2732) We must cut down the trees in order to save the Earth, Part Deux. $tsla

24178) 0.4404) Funny thing is, OEMs think that as long as they make ICE cars, people will buy them. A big chunk of the population is already thinking about EVs and this chunk will not be reduced. It will continue to grow in an S curve.  $TSLA #Tesla

24179) 0.2344) Anyone got the exact link to where $TSLA earnings will drop first tomorrow? They appear on a couple of pages on Tesla IR section, but last time there was a few minute delay between page I was refreshing and where it landed first! Thanks in advance!

24180) 0.296) Comedians in Cars Getting Coffee  @JayLeno @ElonMusk $TSLA h/t @gorgeouserika  https://t.co/gS925LLTDx

24181) 0.4939) $TSLA cybertruck T-Shirt in hand (early too)

24182) 0.8143) If you like CME gaps, you will LOVE $TSLA and stock gaps  https://t.co/xU5c3PJ8fC

24183) 0.6808) You're on, @ICannot_Enough. My alter ego, the kind one, the conservative self - relatively speaking.  I see your $2.96 and raise it:  I'll eat my shoe if $TSLA does not generate at least $5 per share of GAAP earnings in 2020 #TeslaShoeBets

24184) 0.368) First step $TSLA could take to unwind their reputation of financial fraud is to file the 10Q / 10k coincident with their earnings release.  You know, like most real companies do.

24185) 0.8074) Popular demand.  This year we all need #tesla firmware 2020.20.20 update. Even if it's empty. Meets #happiness curve requirements.  I mean, we could also do 2020.4.20 🤣. $tsla  https://t.co/8D0dfQnJME

24186) 0.4767) Looking forward to $TSLA Q4 Earnings. Tesla delivered a record 112k vehicles in Q4 and it's gonna show up in  revenue, gross profit, net income.  Looking forward to guidance and insights that Tesla's gonna share on their strategy and how they're gonna enter new markets as well.

24187) 0.6876) Tesla jumping back to $570 as MS Jonas can’t help but admit ina new note. Tesla is kicking a-s. Bottom line. No competition and the most dominant smart EV ever. Going to put up a big number. Bigger than Adam thinks. $tsla

24188) 0.9319) $TSLA stock is tearing upward again on hopes of good earnings.  Let’s say they surprise to the delight of bull thesis. Then what?  More huge upward momentum?   Then what?  Q1 numbers in my humble opinion will suck. Growth story blown. Robotaxi blown? Solar glass blown.   $TSLAQ

24189) 0.8016) Another great Tesla podcast episode from ⁦@DMC_Ryan⁩...  ... right up until the “James from Florida” pro tip of the week, about 58 minutes in. 🤗  Looking forward to the $TSLA earnings episode next week!  https://t.co/9RfxBwN9N5

24190) 0.8896) Dear $TSLAQ , instead of concerning with $TSLA  Q4-2019 positive Revenue tomorrow, better focus on calculating this one.  Less mindblowing 🙂  https://t.co/8Wa06aC3LG

24191) 0.4019) AFAIK, a record amount of money is betting on $TSLA calls and $TSLAQ puts for this week, so in any case, things are about to get interesting. Fasten your seatbelts.

24192) 0.8765) Tesla Skeptic Mike Khouw Orders Cybertruck, Recognizes @ElonMusk's Genius, but Remains Impartial.  “Elon Musk, bravo. You built a good car, and you’ve got a great stock $TSLA....”   https://t.co/7QiTuash85

24193) 0.4767) Wise Up, Stock Analysts. #Tesla Is the Real Deal. $TSLA  https://t.co/AZwu764meV

24194) 0.5574) I'm old enough to remember when a ~ $9 increase in stock price was a 5% increase   $TSLA @Tesla  @elonmusk  https://t.co/U22tKQWkv7

24195) 0.34) $TSLA projection looking good - still on track for a pop to 640-660 on ER Rallied Y/day after selling off into 4h demand at 540. Now we should see 5 up to the box above into ER. Supply at 570 should cause a retrace for wave 2, and explosive move up to follow imo  https://t.co/KXHLQRcvVD

24196) 0.7263) Excellent thread.  $TSLA's warranty reserve is grossly inadequate.  Fantastic work here.  Well done sir!.

24197) 0.6369) Recap on my expectations for $TSLA: Q4 Revenue $7.3bn  Q4 GAAP diluted EPS $1.5 Q4 Operating Cash Flow $1.5bn Liquidity $9.7bn Wildcards: $2bn Deferred tax, $140m deferred credit.   Credit Rating upgrades.  S&amp;P Inclusion after Q1.  2020 deliveries 500-650k 2020 GAAP EPS $10-30 …

24198) 0.7351) #ElonMusk accepts that failure is an intrinsic part of success. Whether it's #Tesla or #SpaceX - he's got an audacious, bold approach in order to to get big things to happen, here's why:  https://t.co/i2aPeWxqT4 $TSLA #TeslaMotors #TeslaModel3 #Cybertruck #ElectricVehicle

24199) 0.2023) $TSLA $TSLAQ  December 20, 2019 Blind Item Revealed  Dec 9, 2019  To get his ride to be able to function for the jaunt to dinner, the celebrity CEO had to have people install parts from that German car maker that is wowing with their electric vehicle.  @elonmusk / Porsche Taycan  https://t.co/GhUW0xvLjc

24200) 0.4404) Tesla 2020.4.1 OTA Update Pushes to Refine Newly-Introduced Features  Thanks @Sofiaan for the info👍🏻  $TSLA #Tesla #OTA    https://t.co/BrghjcVu2m

24201) 0.4588) Bioweapon Defense Mode.   Thank you, Mother Toyota, for saving my life. $tslaQ $TSLA #PuerileMuskianBullshit  https://t.co/qhgELGxiIn

24202) 0.2808) @imispgh @TESLAcharts Please don't misconstrue. Just pointing out how the pandemic in China will cause way bigger losses there for $TSLA than consensus is seeing. I spent most of yesterday trying to allocate N95 masks to ship to nurses in Shanghai, FYI.

24203) 0.4767) There are several new filings in the $TSLA "funding secured" case. In re Tesla Inc. Securities Litigation:  https://t.co/W6nYMJAUbW

24204) 0.4033) @mndothemath Don't delete your account. $TSLA will announce hugely fraudulent GAAP net profit of over $250m on Wednesday. That's when the fun begins. How can @elonmusk guide deliveries when China is spawning a pandemic?

24205) 0.7351) ⚠️⚠️Breaking⚠️⚠️  Tesla Owners in China 🇨🇳 Get Free Supercharging During Coronavirus Outbreak As Gas Stations Shut Down in Locked Cities  Thanks @elonmusk &amp; @teslacn   $TSLA #Tesla #China   https://t.co/sIY18IdYS8

24206) 0.7096) Tesla China 🇨🇳 helps owners durIng Coronavirus Outbreak in China 🇨🇳 with free Supercharging.  #Tesla #TeslaChina #Supercharging #coronavirus #China #特斯拉 #中国 $TSLA  https://t.co/amlZFVCg8a

24207) 0.5574) Couple more trading days before $TSLA earning ✨✨

24208) 0.9022) @GerberKawasaki Ross I sincerely hope you feel comfortable being long $TSLA at this level.  I’ll let price dictate the rest of this story.  I’m not covering.  Have a nice evening.

24209) 0.7783) Tesla shares shorted decreased from 43.6m in May to 25.0m on 15-Jan while the $ value of the short increased from $8.1bn to $12.9bn.  However excluding convert delta hedging I estimate real short seller exposure only increased from $7.3bn to $8.5bn. $TSLA $TSLAQ  https://t.co/UwBxnrSl8Z

24210) 0.802) $TSLA short interest for 01/15/20 published.  Short interest declined by 1.3M shares (-5%) from 12/31 to 01/15; stock price rose from $418.33 to $518.50 (+24%). Next update 02/11/20 for 01/31/20 date.  01/15: 25.0M 12/31: 26.3M 12/13: 27.5M 11/29: 28.7M 11/15: 30.6M 10/31: 31.8M  https://t.co/tWCUjxftYY

24211) 0.4588) $TSLA short interest (OFFICIALLY) was 24,954,265 as of Jan 15 close.  About 13 Billion in capital

24212) 0.4019) Now a visible party opposing Giga Berlin. How long until a big one does?  $TSLAQ $TSLA

24213) 0.34) Tesla: getting tech nerds excited about semi trucks, pickups, and financial statements. $tsla

24214) 0.3595) Correlation =! Causation   Also, share price was down just 1.2% by the end of the day. That's negligible, compared to standard Tesla volatility.   #EVTrucks $TSLA #TrucksV2  https://t.co/Q7Z8skiRWE

24215) 0.2732) Will $tsla report gaap profitability for full year 2019, papa?

24216) 0.765) Hyundai Super Bowl ad to showcase Remote Smart Parking Assist. Unlike $TSLA “Smart Summon” it actually works.   https://t.co/ljNbsmiufy

24217) 0.4939) I'm sure $TSLA will respond to media inquiries just as soon as the CCP tells them it's okay to do so.

24218) 0.6696) Pier 80 Today®...this 'ere boat is Glovis Sigma, only four years old and looking a good deal fresher than most of the tubs we get at the pier. She arrived at 11:00 PM on Saturday and Ship Traffic has her leaving tomorrow for...Pyeongtaek, South Korea! Sure. $tslaQ $TSLA  https://t.co/VjxZXKPfLw

24219) 0.2448) $TSLA new short interest out and if you're bullish it's not what you want to see.  Short interest is nearly at lowest level in years and even worse short interest ratio is down to 1.36 days to cover.  Only 17.55% of the float is short. Potential for large drop absent shorts now  https://t.co/1jt8Y69DTN

24220) 0.4588) Hey guys, for those who want to listen into @cleantechnica's special livestream of Tesla's Q4 2019 earnings call BOOKMARK THIS TWEET (link below).  $tsla   cc @Tesla @thirdrowtesla @atj721 @zshahan3 @RationalEtienne @Kristennetten @kimpaquette    https://t.co/x2xLhuJ4RL

24221) 0.7184) When I was growing up in South Africa, we would try to help protect the environment by paving over forests.  $TSLA

24222) 0.9467) Great find @Kristennetten! @hamids this is a brilliant summary of the $TSLA opportunity. Great work 👍 Everyone go watch! #Tesla  https://t.co/jzU1IDDWS3

24223) 0.6369) Great post from @vincent13031925 about Model X and S HEPA filtration systems potential to prevent infection from #coronarvirus. #China #tesla $TSLA  https://t.co/E0gPq99xuL

24224) 0.34) This has to take the prize for weakest spin to date. Losing thousands of dollars on every car sold is "so good?" Perhaps BI is using some new definition of "good" that I was previously unaware of. $tslaQ $TSLA

24225) 0.2732) Tesla is applying for participation in a European project proposed by German Minister of Economics and Energy Peter Altmaier, with the working title “EuBatIn” 🇩🇪🚘🔋  @Tesla @elonmusk 🔋 #Tesla $TSLA #Gf4 #Germany   https://t.co/BN1oNzEbtO

24226) 0.8926) Wow! My follower count is flying towards 2000! Thanks #Tesla people! 🙌🙏 Can I make it by the end of the month?! 🤗 $TSLA

24227) 0.359) @businessinsider Autopilot is a complete mess, this is to change the narrative, but at $100 billion the valuation is a total joke $TSLA $TSLAQ

24228) 0.7643) If I sell you something for $1, but promise to buy it back in 3 yrs for $0.60, did I really sell you that thing?  $TSLA does this to move metal &amp; juice the stock. How many sales had value guarantees? at what prices?  those Q's &amp; more (Tesla won't answer)   https://t.co/cyhalm0lLh

24229) 0.4588) $tsla is consolidating before earnings.  I’m glad I kept U from chasing it at $590 area.

24230) 0.6588) so pumped for @FullyChargedShw LIVE this weekend in Austin   i'll be on two panels &amp; doing a presentation about why (&amp; how) I think $TSLA will become a $1T company and revolutionize our energy &amp; transportation systems :)  see you there!  https://t.co/pJMOLUJgE0

24231) 0.4215) Tesla Model S and X Hospital-Grade HEPA Filters May Help Prevent Coronavirus Infections  @elonmusk @Tesla  $TSLA #Tesla #HEPA #AirFilters #Coronavirus   https://t.co/8ZN4w1ABaT

24232) 0.2144) $tsla competition is becoming a comical and yet a sad story from sustainable energy perspective. Audi cutting e-tron production in half. Mercedes EV not selling at all, Porsche EV only on dealer demo inventory, honda, BMW creating cute but pointless little 100 miles range cars.

24233) 0.1531) $TSLA  "More than one member of Trump's cabinet must now decide if their agencies will disobey the president's wishes or do what myriad federal laws require: Regulate Tesla and Musk."   https://t.co/RHGDXT7bQa

24234) 0.8074) Flight to safety today in Tesla, a company that has never turned an annual profit and whose strategy is built upon China growth.  $TSLA $TSLAQ

24235) 0.2023) $tsla green . Unbelievable

24236) 0.3612) @teslainvernon A bit like shorting $TSLA, innit?

24237) 0.8271) Lol $tsla en route close green🤣🤣 while nasdq down 1.6%  Tesla is immune to nonsense

24238) 0.99) 💖💖 GREAT THREAD💖💖  Inspiring, informative, uplifting - accompanying  $TSLA along the timeline since 2016  👏😊🙏🏻🌟

24239) 0.4767) At ~$1,100 levels $TSLA will become the mos valuable automaker of the entire world

24240) 0.5106) Fun fact: until Lattner joined $tsla in early 2017, Tesla didn’t even have the infrastructure to capture any data.  He quit 6 months later.

24241) 0.296) Added $TSLA to my position:  1⃣ 111 units @ $548 per share  Total of $60K.  #Tesla  https://t.co/qOf0e2ubs6

24242) 0.8356) Cool news: I got a @Tesla Solarglass Roof! It’s installed and turned on, so I wrote up everything I have to share about our solar roof, powerwalls, and installation experience. I took some great photos of it too.   https://t.co/dV2gPWU6sr #solar #solarroof #solarglass $tsla

24243) 0.5719) Celebrities are Making Teslas Hollywood's Quintessential 'Cool Cars'  Recently, the music industry’s biggest power couple, Beyonce and Jay-Z, were filmed being escorted by security onto a Tesla Model X.  $TSLA #Tesla #ModelX   https://t.co/rpqgRePPXJ

24244) 0.1027) 🚨Elon and his Government Protectors doing their work on the new Porsche Taycan Turbo:  EPA sandbags Taycan range (lower than actual) while accepting $TSLA fantasy numbers. 👇👇👇  https://t.co/EPSNhjWqb5

24245) 0.5357) @GerberKawasaki @elonmusk I think you’re understating the significance of these events Ross. With bio-weapon defense mode and optional camping package, all Teslas can become survival pods. Never has the value been so clear. (Disclosure: Short $tsla)

24246) 0.5251) "That could not only reduce the cost of the individual panels, they say, but even more importantly it could allow for rapid expansion of solar panel manufacturing capacity."  Tesla Energy is grossly underestimated.  $TSLA #NotSellingAShareBefore5000   https://t.co/3kGjsvs9p1

24247) 0.296) Let me show you how to calculate the $TSLA weekly stock borrow expense = 27,548,572 shares * $564.82 stock price * 0.0030 (0.30% yearly stock borrow fee) / 52 weeks/year = $897.691.36 weekly #Tesla stock borrow cost. Or divide by 360 days/year to get $129,666.53 daily #Tesla cost

24248) 0.4404) Today is a good day to buy $TSLA

24249) 0.5329) Friend gave me an Audi E-tron ride last night. PE guy, partner lvl. Great finish, feels fancy and solid. Looks awesome. Very smooth.   Friend wanted EV, but said $TSLA too ugly. “For that kind of money you want something that looks good”. Merc, Jag not enough range for his taste.  https://t.co/Z1B5LvpPTW

24250) 0.3612) Thank you, Tesla bulls and Bears.  Here’s the main thing I’ll tell my niece.  (I’ll tell my brother more, natch) #Tesla $tsla $tslaq  https://t.co/94rcoemHJF

24251) 0.7227) Not investment advice, but Norman is choosing to buy $TSLA prior to Q4 earnings, Model Y, Semi, battery day, and significant GigaShanghai production ramp.   Stock may go up and down but I think the combo of those catalysts is a good bet for 2020  https://t.co/ayz4qF0Yqc

24252) 0.7096) RT this #frunkpuppy fairy for #Tesla Q4 earnings good luck. 🍀   $TSLA    https://t.co/o8m8qHz73l

24253) 0.4767) #ExplainBABYCharts #FraudWatch day 361  The #DumDums are still hoping the #coronarvirus negatively affects Tesla’s stock price.   Just to be clear, the actual fraud are #DumDums like Larry the Fossi guy constantly smearing Tesla.   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/abRwjjo1jZ

24254) 0.5859) Apparently my quote - 'My Tesla is aging like wine' is getting a lot of publicity. It's an original and I hearby authorize only @elonmusk, @tesla and $tsla to use it.  #wine #winelovers #wineSunday

24255) 0.6909) Watch out @elonmusk ,  your customers aren't as dumb as you think.  They're waking up, slowly but surely.....  $tsla

24256) 0.296) S3's @ihors3 reported that the long-lasting $TSLA "squeeze has taken a breather even as Tesla’s stock price rallied over 38% in 2020. Short sellers added over 380,000 additional shares short during the year.” #Tesla #StockMarket #Forbes #data  https://t.co/C94F6LK5J6

24257) 0.9416) Yup. Got a like from @elonmusk ....   I think this special interaction that fans get on Twitter is exceptional. Another Tesla feature 🤣🤣. $tsla  By the way, did I ever say,,the #tesla communiry is amazing.  https://t.co/qeYUuZVSlT

24258) 0.4404) "Daddy says when he gets his life together his car is gonna be faster and better than your daddies car" $tsla

24259) 0.2382) I’m as big a Kobe fan as anyone, but you should act with haste like this to all accidents even to normal citizens that are still human beings. $TSLA $TSLAQ

24260) 0.4854) $TSLA  "A unique category of irresponsibility comes with those drivers who are aware their vehicle cannot handle all situations, yet “tune out” anyway.  A superb examination of this scary behavior was published by the Dutch Safety Board late last year....   https://t.co/JLDiI6n9wg

24261) 0.3612) There you go @DollyParton 😅  #DollyPartonChallege @elonmusk @mayemusk #Tesla $TSLA  https://t.co/YsdQ9dHa0T

24262) 0.4939) Article on the Tesla SUA issue strongly recommended by @btsparks, whose account is currently protected for obvious and depressing reasons. $tslaQ $TSLA #SUA #TwitterBadNeighborhood  https://t.co/PnD22J5E3E

24263) 0.8979) My second criteria for high-growth investing: I'm looking for a company that has a significantly better product or service than anyone else in their market.  This is oftentimes evidenced by an amazing and deep love of customers for that product.  $TSLA

24264) 0.5994) Another great episode by @TeslaPodcast  A must listen for wannabe experts like @AlexRoy144 who scream Autopilot must rebrand itself.  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/ZU9LiwCd5R

24265) 0.3612) @ValueAnalyst1 This is why I keep things like this on my phone. Rivian vs #Cybertruck $TSLA  https://t.co/qok20SzlpF

24266) 0.2057) Thinking of buying a $TSLA solar roof? Don't say you weren't warned. Thread

24267) 0.2023) My first criteria for high-growth investing: I'm looking for a company that's disrupting a large market. That’s important because the company will need room to grow their revenues significantly to justify a 5-10x valuation within 5-10 years.   $TSLA

24268) 0.5574) No, the carbon footprint of a cell phone is not the same as a refrigerator 🤦‍♂️  A refrigerators energy usage is at least two orders of magnitude greater than a cell phone 👨‍💻  --&gt; 2KWh vs. 200KWh  $TSLA  https://t.co/4cSi6SDrpJ

24269) 0.3382) January 29 is $TSLA earnings release day!⭐️  ✅ Here is the what I am looking for:  1️⃣ EPS $1.65/share on $6.95 B Rev (analyst exp)  2️⃣ China GF3 3️⃣ Model Y 4️⃣ Cash flow 5️⃣ Germany GF4 6️⃣ Cybertruck 7️⃣ Battery day 8️⃣ Semi truck 9️⃣ Energy 🔟 2020 delivery guidance  #Tesla

24270) 0.5106) Tesla Autopilot and Summon Takes Front and Center in Presidential Hopeful @AndrewYang Andrew Yang's Latest Political Ad  $TSLA #Tesla #Yang2020   https://t.co/uTWkAwG1gc

24271) 0.3167) Tesla's Secret Weapon in Focus: How an Army of Enthusiasts is Disrupting the Auto Industry 【Video】  $TSLA #Tesla   ⚠️ Highly recommended ⚠️   https://t.co/E7yTi8rHfJ

24272) 0.7644) I'm gonna be bold (foolish) here and announce my estimate for Q4 GAAP profits: ~$930M. Making 2019 profitable. You heard it here first! $TSLA $TSLAQ #TESLA

24273) 0.1456) In case it wasn't clear, no one will protect you from $TSLA fraud. Not the SEC, not any Twitter sitter, and certainly not the grossly negligent &amp; deeply conflicted Tesla Board of Directors. The only protection is educating yourself. Start with $tslaq.  https://t.co/HwY6LcDlbN

24274) 0.2455) Yes, once produced and delivered in volume on three continents. Although market participants may anticipate this outcome in advance, with the intense FUD being spread by short-sellers and others against $TSLA, I wouldn't risk all savings on a "short burn of the century" tomorrow.

24275) 0.4576) Very interesting $TSLA   https://t.co/qsqYKkTLEa

24276) 0.1027) Wonder what recent buyers of $TSLA are thinking right now? Here's what I'm thinking:   1) Payrolls continue w/ zero output after CNY.  2) Over $1bn of factory equipment being expensed 3) Supply chain disruption 4) Payment obligations for both GF3 &amp; equipment  Surely there's more.

24277) 0.0516) Tesla Semi With Wrapped Windows And Lights Sighted In Transport Carrier at CA 5 Freeway  $TSLA #Tesla #Semi    https://t.co/H7SlySH5QE

24278) 0.7579) Thanks for sharing @TeslaNY  This is exactly what I have been saying, 150-200K united for China market alone.   $TSLA #Tesla #China #GF3

24279) 0.5423) Today marks 7 months with my Model X.  - No servicing issues.  - No paint job issues - No refund issues - No mechanical issues - No autopilot issues  Car is 2X better than when I bought it, the SW updates have given amazing free things.  It's aging like wine. $tsla  https://t.co/edyNxAupFs

24280) 0.4939) $TSLA 732.00 target on #Tesla this week. Earnings will crush. Production is lagging a bit for current demand. Would love news about another Giga USA to help with the overwhelming demand. That is a 30% move. Rumors China is almost sold through all of Q2...#Getthatshit @3k a week🙏

24281) 0.5719) @realDonaldTrump:”How are electric cars doing now?”  CNG Rep:”Not good. @Tesla is broke. They can’t produce them. The auto companies have caught up. @elonmusk has never generated anywhere close to positive cash flow. He’s subsidized by $25k per vehicle. It’s over.” Apr ‘18 $TSLA  https://t.co/UWSj03FHK8

24282) 0.9231) I'd say this is a parody account but for the 30m followers.  Your $tsla has a better chance of appreciating in value than it does as being a boat.

24283) 0.6249) Mario, $TSLA 😘  No one at Wall Street is putting a value on its energy segment yet. Zero.  https://t.co/NZmB5y6L5f

24284) 0.5267) So, instead of encouraging $tsla to hire workers in Buffalo In order to meet Tesla’s Riverbend contractual employment obligations, Cuomo and his cronies will travel to Poland  to meet Tesla’s future German factory workers.

24285) 0.7227) Took a group of offshore oil workers who live in my town out in #Tesla today 😅. Said they’d seen vids online but still couldn’t believe how fecking fast it was in real life. They’re all off home to buy $TSLA stock to hedge their careers now 🤣   @elonmusk

24286) 0.4404) @fly4dat @Bfklin @JonBryant421 Near-proof is easy.   $TSLA is the only OEM that won't make its owner list available to JD Power to conduct a survey of RANDOMLY selected owners. What's $TSLA afraid of?  @tsrandall asked owners to self-submit. In stats class, that gets an F.   https://t.co/YYgczNE3Wr

24287) 0.4019) Europe will be... interesting... for $TSLA this year. It’s facing formidable competition at both the high end and in the “mass market”. Btw, @fly4dat estimates Tesla’s Q1 sales by adding Q4’s actual Nov &amp; Dec to Q1’s Jan trajectory.

24288) 0.807) Thanks for having me, Sean! Great to chat about #Tesla and $TSLA.

24289) 0.4404) Tesla GF4 Supporters' 2nd Demo Highlights the Youth's Urgency to Take On Climate Change  $TSLA #Tesla #GF4 #Germany   https://t.co/QMwp8UI8rp

24290) 0.6419) "What competition?" 🇳🇴 edition. #Tesla SuX almost non-existent. E-Tron owns the luxury segment. Jag starts to become a small player as in ICE. Merc EQC outsells SuX by a factor of 3.  M3 better than Oct. Kona and the 2 Kias good, the others are not. Golf is dead.  $TSLA $TSLAQ  https://t.co/VJEGe2m5yh

24291) 0.3612) Awesome promo video by Tesla Sales in Beijing, China 🇨🇳 Showcasing Fight Landlords.  #Tesla #TeslaChina #MIC #Model3 #特斯拉 #中国 $TSLA  https://t.co/mSI4k4HFya

24292) 0.3182) $TSLA $TSLAQ Pray for the average Chinese person. They don't have the equipment to deal with this (eg CAT scans, etc). And the CCP is too busy covering it all up to provide the proper preventative measures.

24293) 0.2431) @Ben06809613 @elonmusk I’ve never spent any time waiting for my Model 3 to recharge.  When I get home, I plug it in, just like my phone. Every morning, it’s fully charged, just like my phone.  How often would you stop at gas stations if you had a gas pump in your garage that only cost $1/gallon?  $TSLA

24294) 0.836) Elon, just promise the Germans you'll treat &amp; recycle the H2O. Show them $TSLA's promise its Nevada factory would be 100% solar powered. (But don't mention that Tesla still enjoys a discounted rate on NV's coal-generated electricity, subsidized by residential ratepayers.)

24295) 0.1935) I can't imagine how excited the Chinese must be for the opportunity to buy MIC m3s.    If a city gets quarantined, can the factories still ship?  🤷‍♂️  $tsla  https://t.co/mLwetQEz23

24296) 0.7193) ModelS/X improvements underway. Porsche potential buyers, hold your horses if u dont want to regret. Sorry Diess, nobody said it would be easy  $tsla

24297) 0.5267) 7) Unlike Hong Kong &amp; SARS, China is hit by Coronavirus as its 30-year non-stop economic growth has peaked. Middle-class spending has dropped. $TSLA needs 4x higher sales in China w/ its new GF3 factory. Assuming it's actually functional, this is a significant setback.  $TSLAQ

24298) 0.4215) 6) SARS in HK in '03 caused a recession there &amp; the HSI fell by 13%. But it was a buying opportunity, as global markets had bottomed out post  https://t.co/cJeJFsr6PW. This time? Markets at all-time highs; ZIRP-speculation leads to $TSLA's $102bn market cap at peak of auto cycle.

24299) 0.2263) Tesla CEO @elonmusk Clarifies Gigafactory 4's Water Consumption, Forest Details.  $TSLA #Tesla #Germany #GF4   https://t.co/TcoF7KxuMY

24300) 0.8425) Just a couple of “journalists” not-so-secretly &amp; casually hoping for a worldwide pandemic, just so the $TSLA share price goes down 😳  Do you still wonder why @joerogan is more popular than all of the mainstream media combined?  https://t.co/o1xXVwOhD6

24301) 0.2263) It’s comical that each traditional automaker makes wild claims about future EV production and at the same time forgets to source enough batteries. Seems like a big miss. $TSLA #Tesla  https://t.co/kUU3HPWdlK

24302) 0.3612) @teslanalyst @KingPickleRick1 From page 68 of our $TSLA report. It's $40 per document if you'd like to re-purchase the source material from the court. And $20 for the docket.  https://t.co/xwDfoDY2K8  https://t.co/e0raZTZ79R

24303) 0.2023) Pier 80 Today®...Challenge should leave for the canal tonight. We've got a likely next ship, Glovis Sigma, squawking a 5:00 AM arrival. If it shows up at the pier (there's a small chance it's not for Tesla), it can sail for wherever before the end of the month. $tslaQ $TSLA  https://t.co/pI5uRiihSu

24304) 0.7777) Happy Chinese New Year from Tesla China 🇨🇳 Executives: Tom Zhu, Grace Tao, Allan Wang &amp; Ken Xue.   Very looking forward to the performance of the China team this year and beyond! Go Go Go 💪🏻  $TSLA #Tesla #China  @elonmusk @tesla @teslacn  https://t.co/mpWJVJRAjy

24305) 0.1531) Every blue bar on this chart earned a profit selling cars in 2018 (last year w/final numbers). The red bar lost about $1B while delivering 245,162 cars, ~0.3% of global auto sales. History will file "Tesla Stock Bubble" right next to "Dutch Tulip Mania." $tslaQ $TSLA  https://t.co/bSIsB8qT4C

24306) 0.1511) This is not for the Tesla shorties. Nope, not for you $TSLAQ. This is 4 all the Tesla longs who already sold all their shares. This is 4 you if you haven't heard Tony Seba. This is 4 you if you've forgotten the intricacies of the case he makes. #tippingpoint is underway! $TSLA

24307) 0.3612) 🎶All around the world the same song🎶 Tesla in its natural habitat, getting loaded on a tow truck. $TSLA  #TheSociopathicBusinessModel #FraudFormula #ConsumerAlert  https://t.co/xs6l9dMSGH

24308) 0.4404) I wonder if these were actually purchased from #Tesla or a gift from Elon to the CCP.  $TSLA   https://t.co/xgOQaBldBq

24309) 0.6705) My Criteria for a 10x investment:  1. Disrupting large market  2. Significantly better product or service  3. World-class execution  4. Clear path to 10x valuation in 5-10 years  $TSLA  https://t.co/9jvycJ3ydL

24310) 0.8979) Important note: Politically powerful developer Lance Gilman, who cleaned up nicely in the $TSLA factory deal, sued @Storey_Teller in an effort to silence its fearless journalism. The struggle was long, hard, &amp; expensive, but it appears truth &amp; justice will prevail.

24311) 0.34) As I said yesterday, the $TSLA enthusiasts who bought at $200+, like the dog who caught the car, may find this a difficult meal to digest. (Maybe Jim Cramer will indemnify them?)  https://t.co/7oYpKnrLQl

24312) 0.2023) .@Michael_Khouw thinks Tesla is going to hit a speed bump going into earnings next week. Here's how he's playing $TSLA into its earnings.  https://t.co/PVJIcYzcyV

24313) 0.34) Tesla speeding higher this year, up more 33%. Here’s @Michael_Khouw’s play on the electric car maker ahead of earnings next week. $TSLA  https://t.co/JNfchHHHDl

24314) 0.3252) Tesla will never waste $ on a prototype that never put into production — $TSLA #Fact   Other traditional automakers.....hmm

24315) 0.0644) Just passed by a $TSLAQ car that was crawling at 75 km/h in the right lane on the highway - windows damped with condensation Shorting $TSLA might feel like a battle but those bigmouth muppets are struggling too 😇

24316) 0.8807) It’s Q4, so functionality for “FSD” has diverged, but the $tsla Full Self-Driving” features are ready.  It’s those dastardly ICE manufacturers that are limiting consumers use of “autopilot” and “FSD”.  This tweet definitely doesn’t promote off-label use of the technology.

24317) 0.6229) Per Bloomberg, 16 $TSLA analysts revised their TSLA EPS estimates over the past 4 weeks. As a lot, $TSLAQ analysts are largely bearish (9 Buys, 11 Holds, 17 Sells). What’s fascinating: 16 of 16 took their TSLA 2020 EPS est. UP (!!) by an avg. 11%. Aren’t rising estimates bullish?  https://t.co/baMjNPTxK9

24318) 0.7506) Say hi to Anton...  Sales in the Netherlands are down 99.67% 🤣🤣  $TSLA

24319) 0.5106) The fun is yet to come...  $TSLA #NotSellingAShareBefore5000  https://t.co/wW8A1AKBOh

24320) 0.7184) If I can find a company that I think has a clear and probable path to a 10x market cap gain in five to ten years, I’m staying in it.  $TSLA

24321) 0.8405) ROFLMAO $tsla to a $1 trillion!!! This guy is Henry Blodget 1999 on steroids:   https://t.co/WddgppVo5J  OMG that's funny $tslaq

24322) 0.296) If @elonmusk renames Autopilot to "Not-an-Autopilot," I will donate one of my $tsla shares to an environmental nonprofit.    https://t.co/QSlPdKOzra

24323) 0.6908) "The Carpoffs allegedly promised investors tax credits, lease payments, and profits from the operation of mobile solar generators. In reality, the complaint alleges, most of the generators were never manufactured..."  Sound familiar @elonmusk?  $TSLA   https://t.co/3FtwEDsWPd

24324) 0.2714) Fast forward to 2027...  Market cap top 10!  $TSLA

24325) 0.6486) Senator, our wonderful Autopilot is Level 2, but please don't notice we take money for Level 5 and make impossible claims about when we can deliver it, which is never. $tslaQ $TSLA @SenMarkey  https://t.co/XGp86RlAcv

24326) 0.5719) What. A. Joke. #TeslaSolarIssues  $TSLA $TSLAQ  Tesla reduces price of solar products, adds new referral incentive - ⁦@ElectrekCo⁩   https://t.co/f3lfP976ss

24327) 0.8979) Evidence of a generational, potential 10x-100x company is that it has a significantly better product or service than anyone else.   This is oftentimes evidenced by an amazing and deep love of customers for that product.   $TSLA

24328) 0.8176) The exponentially growing strength and the astronomically positive impact of the #Tesla community on @Tesla's fundamentals are greatly underappreciated by $TSLAQ short-sellers, all sell-side and most buy-side analysts, and "competitors" alike.  $TSLA #NotSellingAShareBefore5000  https://t.co/k5A0QWz0nW

24329) 0.8087) Hey $tslaq, thank you for your money! Keep believing there's no stamping press at Giga 3. LOL  🤣💅 $tsla   Tweets by @JayinShanghai and @kimpaquette    https://t.co/uoA0ui3380

24330) 0.4215) Is anyone at the @FTC awake? One United States Senator is. $TSLA  https://t.co/6herO5sNDk

24331) 0.34) I decided to invest in $TSLA since 2016 (finally did it on August 2017) when my teacher of a value investing course told me how their battery tech was groundbreaking.

24332) 0.847) Let’s share our most promising growth stocks in the following leading industries:  1. Tech 2. Data 3. Energy 4. Transport   My answers:  1. Tesla 2. Tesla 3. Tesla 4. Tesla   $TSLA #Tesla @elonmusk

24333) 0.5719) 2020 is the perfect storm for ICE  #TeslaEffect #TeslaKillerCemetery  $TSLA #NotSellingAShareBefore5000

24334) 0.5574) The remaining life of legacy automakers is grossly overestimated by market participants: Most legacy automakers will cease to exist in their current form in the next 12 to 18 months because they prioritized short-term profits before innovation.  $TSLA #NotSellingAShareBefore5000

24335) 0.9801) As I wrote today, @jimcramer is an entertainer &amp; a clown, &amp; a true master of both crafts. Greatest respect for his skills &amp; simply staggered once again by his latest brilliantly amusing $TSLA piece. He has safely secured his place in the Financial Circus Center Ring Hall of Fame.

24336) 0.4823) Tesla does not rely on aggressive loans or leases to boost sales, but legacy automakers are highly exposed to record-high subprime auto delinquencies:  "The latest delinquency rate is higher than the highest recorded during the Great Recession"  $TSLA #NotSellingAShareBefore5000  https://t.co/w4DN4Ulovk

24337) 0.6369) Bought 1 shared today at $567 lol $TSLA

24338) 0.6369) This video has been electronically engineered by some of the world's finest craftsman to bring to your phones the full, glorious spectacle of Cramer Theater. $tslaQ $TSLA #DontBeSilly  https://t.co/03TUil0l0x

24339) 0.7003) $TSLA  Another reason Andrew Yang has 0 chance to win the Democratic nomination   https://t.co/RcQv4g3hTp

24340) 0.8308) 14/ Higgins writes that "by that measure" (EBITDA), $TSLA "is expected to post $2.6 billion in [2019] earnings" in the coming days. Wow, doesn't this sound like a truly profitable company!

24341) 0.5267) 12/ Higgins discusses how Musk's compensation is tied to $TSLA's market cap and its EBITDA. Does he ever question the wisdom of a compensation package in a capital-intensive manufacturing business based on EBITDA? Nope.

24342) 0.8074) 10/ Anyone reading the Boston piece would be left with the impression that $TSLA is a profit-making success story while its German competitors are falling behind and gasping for breath. @berlindiary, I'm grading this article as a D-. And that only because I'm in a generous mood.

24343) 0.9346) 1/ Why does $TSLA's share price float free from fundamentals? Ignore the spoutings of @jimcramer; he's an entertainer, a clown, &amp; a superb practitioner of both crafts. Consider, for instance, whether you could ever hope to write something so charmingly &amp; amusingly idiotic:  https://t.co/SEAyDBLFVf

24344) 0.5267) Since its IPO Tesla has had the fastest growth and best returns of any large tech company, but has been heavily shorted the whole time  Why?  One core reason is shorts just cannot imagine Tesla continuing to grow 50+%/year  This time is different, they think   $TSLA $TSLAQ

24345) 0.0516) If I got this right, $TSLAQ burned through 60% of the cash in January that $TSLA has accumulated in deficit since 2009. That’s without fees... If they had only done something useful with their money instead... 🤷‍♂️

24346) 0.1695) FSD tech is NOT limited to robotaxis.  $TSLA #NotSellingAShareBefore5000

24347) 0.3182) I have the highest level of $TSLA shares shorted at 43.69 million shares on 6-3-19. Coinciding with #Tesla's low stock price in 2019 of $178.97.

24348) 0.9217) @EllenYChang $TSLA exists only thanks to massive subsidies (tax credits, abatements, HOV privileges, free factory, free land, etc) &amp; mandates (resulting in ZEV, CAFE, GHG payments &amp; higher prices for competitors). In effect, its entire history is a rolling governmental bailout.

24349) 0.7003) We know @jimcramer is a momentum shill.  Recall his Elon trolling at the $TSLA stock price lows of 2019.  But then shortly thereafter, he turned 180°.  Sure seems like he got word of both Elon's predicament and subsequent "protection" before everyone else.  The swamp lives.

24350) 0.368) JP Morgan's thoughts on $TSLA's absurd valuation  https://t.co/EqFPXUfIOm

24351) 0.8519) Happy Chinese New Year from Tesla China Team. Greetings from Ken Xue - Service GM of Tesla 🇨🇳 , Allan Wang - GM of Tesla 🇨🇳 , Grace Tao - VP of Tesla Global and Tom Zhu - VP of APAC and GF3. @tesla @teslacn  #Tesla #TeslaChina #CNY #ChineseNewYear #GF3 #特斯拉 #中国 $TSLA  https://t.co/3rtIxn54im

24352) 0.144) "One of the things that I see is, in the U.S., if you own a Toyota, you are three times more likely to want a Tesla,"  $TSLA   https://t.co/uLP4Ik6zen

24353) 0.3612) Craig Irwin has sell on $TSLA with PT of $275.  I agree with him.

24354) 0.5949) We are so glad to have you here @ValueAnalyst1 .  Though sometimes we tend to think short term with $tsla, You changed the game with #NotSellingAShareBefore5000 moment.  Way to go buddy 💪🙏

24355) 0.4926) “We've got the largest order with Tesla of electric tractors, we hope to see those roll out this year!”—UPS CEO 🚛🔋🔌 #TeslaSemi $TSLA #EV #Davos2020  https://t.co/HxdClYu8I9

24356) 0.9062) "VW &amp; Tesla have one big challenge in common over the coming years: scaling up EV production profitably. Given its superior resources and experience, VW may well prove better at the job. Tesla’s valuation will doubtless remain bumpy."  $TSLA $TSLAQ  https://t.co/UnTGHa49vd

24357) 0.7897) "“It’s an open race,” Diess said in an interview with Bloomberg TV. “We are quite optimistic that we still can keep the pace with Tesla and also at some stage probably overtake” the U.S. carmaker."  Play low, win high! $TSLA $TSLAQ   https://t.co/m7SFFiyR4P via @markets

24358) 0.5346) $TSLA Shorts did loose $3.8bn in the last 24 days alone but the amount of shares shorted remain almost the same.  The majority of that 26 Mio shares shorted will cover sooner or later just to bring the bet down to a normal &amp; average level.  Draw your own conclusions.

24359) 0.4019) ⚠️Important $TSLA China Update⚠️  Tesla Released OTA v10.2 2020.4 Update in China 🇨🇳 Before Chinese New Year 🧧   Many special features specifically developed just for Chinese market. @elonmusk @jimcramer   Detail: 👇🏻  https://t.co/Zwi1pinCTV

24360) 0.6391) Building time equals quality! By building the China factory four times faster than esteemed Wall Street analysts estimated reasonable, $TSLA has clearly indicated that it is not interested in quality! This if anything proves that the shorts were right all along!

24361) 0.2263) There was a moronic cultist tweet saying that driving an EV is better than walking, because you exhale more when walking and you burn calories from food, which is polluting to produce, unlike EV and their batteries which grow on trees.  Help me find it.  $TSLA

24362) 0.5106) A big part of reducing emissions is driving less, using bikes/walking for shorter trips and trains for longer trips.  The cult of $TSLA have made it into "driving is fun" and "you should drive as much as possible, whenever possible" showing their priorities.

24363) 0.2732) Well, this is spot on, isn't it? $tslaQ $TSLA

24364) 0.9763) Happy Chinese New Year 🧧 from Tesla! Time to celebrate with friends and family also finally reach 4000 followers. Thanks for the support! Wishing everyone a happy and prosperous Lunar New Year.  #Tesla #TeslaChina #GF3 #Gigafactory #China #Shanghai #特斯拉 #中国 $TSLA #CNY  https://t.co/sX8a9CxlvY

24365) 0.5106) @jimcramer Hey Jim, any interest in coming on the Tesla Daily podcast to discuss $TSLA? Had Piper Sanders analyst Alex Potter on last month if you want some background on the podcast.  https://t.co/ICyNcGuYku

24366) 0.4158) Exactly How Much Money have Tesla Shorts aka TSLAQ 🐻Lost in 2020 (So Far)   ⚠️warning⚠️ Reading this article might cause heart attack or extreme panic to certain group of ppl 😂  $TSLA #Tesla #TSLAQQ    https://t.co/ElyfnneO2B

24367) 0.3818) Tesla’s valuation went from $2 B (2010) to $102 B (2020), a 5100% growth thru out the last 10 years.   What’s next (near term):  -Q4 earning in less than a week -Battery &amp; Powertrain investment day -Model Y delivery -GF3 ramping - $TSLA Semi    https://t.co/MDiR6kFBBV

24368) 0.658) Make 2020 the year to get INVESTED @cnbc is giving away a t-shirt. ⁦@thetastyworks⁩  is giving away a $TSLA new car!  https://t.co/XQV2dfVzG5 Worlds upside down!   https://t.co/tET9Z37GDM

24369) 0.4215) 2/3) $TSLA's Q3'19 Update Letter states that Model 3 capacity is only 350K. This is a lie. Panasonic has repeatedly stated that GF1 has enough cell capacity for 500K Model 3/Y per year. Even when assuming the avg battery pack for the 3/Y is 65kWh, true capacity is at least 462K.  https://t.co/lGHwvZL5pu

24370) 0.9062) 1/3) Fun fact: $TSLA will have to increase production by 54% YoY to 561K vehicles in 2020 in order to be profitable (assuming 80% capacity utilization). And they'll have to maintain the same prices on their cars as well. The stock price definitely believes this. I don't.

24371) 0.3612) Here is my question for $TSLA's Q4 earnings call. If you'd like it to be asked, you can upvote it here:  https://t.co/tMtSoN0OaF  https://t.co/dp8v9xBQgM

24372) 0.5859) @skorusARK I remember when the Grohmann employees voiced their concerns over new owner Tesla ending those relationships  “We have practically all the big automotive manufacturers as our clients”  Now it all makes sense  $TSLA for the win   https://t.co/zU3K1sBGGM

24373) 0.1779) Apple done that (Not only a PC maker 💻 )  Amazon done that (Not only a bookstore 📚 )  Tesla is doing it  (Not only an automaker🚘)  It’s a business cycle to eliminate the old-school players without the latest technology to integrate into their businesses.   $TSLA

24374) 0.3602) This is going to be the issue for ever EV maker as LG Chem cant supply everyone. Thats why the Giga Factories are so valuable. Anyone can say they are making an EV but only Tesla has proven it can scale production. $TSLA

24375) 0.6124) @ihors3 The $TSLA community would like to know if you are planning to buy a Tesla vehicle (not the stock) anytime soon. Thank you.

24376) 0.6256) Definitely not a cult.  Treason.  $TSLA  https://t.co/FeaxNb3Q9k

24377) 0.3182) ralph nader please come on my podcast to discuss $TSLA

24378) 0.8555) @SamTalksTesla @Gfilche @HyperChangeTV @vincent13031925 @28delayslater EV vids (all brands) : @BjornNyland Entertainment: @thirdrowtesla crew Spreading the word: @NYKChannel History: @TeslaHistorian Joy: @TeslaJoy #Autopilot analysis: @DirtyTesla @master_ov $TSLAQ vs. $TSLA showdown clips: @AfMusk Faith: @RationalEtienne Car facts: @MunroAssociates

24379) 0.8625) $TSLA tomorrow options, both calls and puts RED  🤣🤣🤣  https://t.co/JKqZ3ojgaT

24380) 0.5267) 📢For those considering the possibility that $TSLA has reached "escape velocity" on volume / margins / profitability, the fact that their crappy operations levels forever display evidence of the Perpetual Rolling Bankruptcy is a pretty solid indicator they have not.

24381) 0.9514) I was so amazed hearing Elon saying that if PayPal would execute on his business plan from 2000 it would be worlds most valuable company.... Like he is always going after worlds most valuable companies with SpaceX, $tsla , neuralink etc   I am very glad he dident do it...

24382) 0.2732) 10-year returns:  $TSLA 3264% (since June 2010 IPO)  S&amp;P 500 190%  S&amp;P energy sector (oil &amp; gas) 6%

24383) 0.6059) $TSLA has been discounted by skeptics and competitors b/c they make it personal (against Elon) or they see it as an advanced electric car company only.     But Tesla is an innovator on a grander scale.   They’re leaps ahead with a focus on experience.

24384) 0.296) Big talk from a guy who sold his $TSLA shares $300 ago.  https://t.co/AVzUOdclXT

24385) 0.6249) Top Institutional holders of tesla stock: Baillie Gifford - 7.5% American Funds - 5.7% PIF (saudis) 4.6% Vanguard 4.4% Blackrock 3.6% Fidelity 3% State Street 1.6% Invesco .94% BAMCO .9%  Impressive list.  #tesla $tsla

24386) 0.0772) Everyone discussing @elonmusk’s ‘big payday’:  1) unlikely for 4-6 months  2) stock, not ‘pay’  2) Elon would likely need to borrow $590m for the stock, plus taxes  3) can’t sell for 5 years   Structured to benefit $TSLA &amp; the shareholders, &amp; directly linked to insane performance

24387) 0.9382) @megangale @Tesla Let's see...  $253M cash option...   ~$150M after taxes...   I'd do $50M in $TSLA, $50M in cash, and $50M in a charitable trust.  Probably spend the rest of my life helping those in need 🥰

24388) 0.948) THIS DAY IN $TSLAQ HISTORY:  I don't know about that dying part, but it sure is exciting watching $TSLA! 😊  @patrickcomack 1 year ago:  https://t.co/SvufYTyoNZ

24389) 0.1027) When “Mr Try To Be Smart” is giving out wrong prospective about a company he knows nothing about...  Saw many of these the last few years, none of them aged well.   $TSLA

24390) 0.5622) bunch of WW2 bombs/duds found at the GF4 site. wonder if they’re worth anything? :P $TSLA   https://t.co/XSw7GyG35i

24391) 0.3612) Calling Tesla a cult stock is like @ElonMusk calling @JimCramer a simulation:  https://t.co/uHiO0zLrFc $TSLA  https://t.co/jAy7LmdPjV

24392) 0.5256) Tesla $TSLA overtakes Volkswagen as world's second most valuable carmaker   https://t.co/l8JLHUrMls

24393) 0.8891) This is AMAZING! Simply amazing. 20% of the float is STILL short interest while stock went up 50%. Not a major squeeze as thought. So shorts borrow is now roughly 50% more expensive if it would be recalled. Wonder who is financing such mega high risk.. $tsla

24394) 0.2144) @RalphNader hasn't done his reasearch on Tesla. This is why I am here to help. $tsla   Hey Ralph, I believe in you man, but sometimes we just gotta slow down and look at the bigger picture. Take a deep breath and really research Tesla before you bash it.

24395) 0.6486) @NegDiscountRt partially on just that its 36x as common in $TSLA than in Toyota's that caused the recall, but partially based off of other anecdotal &amp; logical reasons  here's the case if you care to read for yourself   https://t.co/1dofWn0ydz  https://t.co/WjuoKH9Tyd

24396) 0.34) Tesla stock holds gains despite 'Sell' and downgrade combo from Wall St. $TSLA  https://t.co/1eegjXDHPJ

24397) 0.1531) Today Patrick Hummel of UBS raised $TSLA PT from 160 to 410 while reaffirming SELL. Another WS hypocrite. This 1/2 star-rated analyst’s success rate is 33% &amp; his return is -13.1% while S&amp;P 500 index jumped up 33% in 2019. Wonder who would pay for his research to lose 💰 in TSLA.  https://t.co/WAvpjaJYVX

24398) 0.4995) $TSLA -- READY TO LAUNCH BRANDED PHONE CHARGER -- ELCTRIC

24399) 0.6705) Trump on @CNBC on Musk and $TSLA:  "He's going to build a plant in the United States.  He has to.  We've helped him, so he has to help us."  or else what?

24400) 0.2023) Left: An orderly rise  Right: "short burn of the century"  @JuanMaanuel 🎩  $TSLA #NotSellingAShareBefore5000

24401) 0.8126) Just smoked a BMW i8 on the highway.   It wasn't even close. I wonder what it's like spending $150k on a 2 door sports car and l still be slower than a 4 door family SUV.  😂  $TSLA

24402) 0.1779) Cramer: “Only a few companies, namely, Netflix (NFLX) , Amazon (AMZN) and Tesla have earned the right to be earnings-free.” $tslaq $tsla #Tesla   https://t.co/9CPcRzt1be

24403) 0.743) Mark Benioff on Elon when asked at Davos - "One day he's drilling holes in the ground (Boring); the next day he's flying rockets and landing them using AI all while he has these amazing automobiles that drive themselves on the road.  He is an amazing innovator" $tsla

24404) 0.5411) THIS DAY IN $TSLAQ HISTORY:  Hello Wolfie! Is $TSLA a zero already? 🙏 🤭  @WPipperger 1 year ago:  https://t.co/mumFnfYj8C

24405) 0.4588) Short interest in $ terms has never been higher. $TSLA

24406) 0.6908) Yes, this is a historical high for $TSLA Short Interest

24407) 0.6908) @MarkYusko Thanks 🙏.   Please keep shorting the stock.. or better still, sell us some dirt cheap calls.  $TSLA 🤟

24408) 0.1381) 4/ Is this the type of thing a reporter might follow up on? Perhaps someone @business, @cnbc, @businessinsider, @nytimes, or @latimes? Because, if such a prominent $TSLA bull stands accused of something so malign, shouldn't he have a prominent public forum in which to deny it?

24409) 0.7654) For politicians that can trade stocks without any worry of repercussions, a clear winner would be buy puts on $TSLA then force them to stop using Autopilot, Or just make the SEC do its job,  either one.

24410) 0.6486) Average daily trading volume for $TSLA in 2020 is 19.04 million shares per day, or around $9.5 billion worth of shares traded daily. Seems a bit large to be mainly retail trading, don't you think?

24411) 0.9153) 3/ I am sure Ross's answer must have been an emphatic, "No," but oddly, I cannot seem to locate it. Perhaps it slipped through the Twitter matrix. Would someone here be kind enough to forward it to me? TIA $tsla

24412) 0.8535) If they continue at this pace. Teslas value could double again in the two years. Then Germany will open with another 400k car potential. Any price target 5 years out should be huge. If Tesla executes this vision. It will be one of the most valuable companies in the world. $tsla

24413) 0.784) Tesla China will be at 400k cars potential within a year and Tesla will be at almost 1 mil car production level in 2021 and hey will sell every smart EV they make! #tesla growth story is huge. $tsla

24414) 0.8622) More credit should be given to the @teslacn team for building a factory and scaling production to 75k cars within a year. An amazing accomplishment to serve the biggest EV market in the world. Soon they will be at 150k cars. Creating thousands of Chinese jobs and growing. $tsla

24415) 0.9402) It’s about time that credit is given to @elonmusk and the @Tesla team for their excellent work making the best smart EV in history. And scaling production in Fremont to 400k plus cars creating thousands of high paying American jobs! $tsla

24416) 0.7425) @GerberKawasaki Ross, I am quite sure Dana would be happy to discuss anything in her article that you believe is inaccurate.  $TSLA $TSLAQ

24417) 0.296) $TSLA 10 shares added @ 563

24418) 0.8504) Dear @elonmusk... is bioweapon defense mode effective against the coronavirus? Can you otherwise help the Chinese people? $tsla

24419) 0.5106) The fun is yet to come...  $TSLA #NotSellingAShareBefore5000  https://t.co/J2qxi3aqyg

24420) 0.9265) Who else needs a fast forward button on $tsla stock 🤣🤣🤣.   Wouldn't that be cool.  You can slow mo some events in between...like @ValueAnalyst1 eating shoe, $tslaq homeless party, 1k, 2k....@thirdrowtesla Elon interviews..@RationalEtienne live blessing event etc.  https://t.co/67EAHKIQxe

24421) 0.4019) Long Overdue - Tesla China 🇨🇳 opens Taobao Store selling official Tesla Accessories. Hopefully they will be selling T-shirts especially the Gigafactory 3 ones.  #Tesla #TeslaChina #特斯拉 #中国 $TSLA  https://t.co/Lnvmprn4wI

24422) 0.6901) So funny, now the famous bear Colin is gone, UBS is trying to make a soft entry in to Tesla rally by promoting “over bought narrative” Guys either get real and understand Tesla business or stay on the sidelines. $tsla

24423) 0.5719) If you invested $10,000 in Tesla four years ago,  you’re now worth more than all of the Short Sellers   from The Big Short combined.   😉 #true #tesla  @DiMartinoBooth @GaryKaltbaum  @OpenOutcrier $tsla

24424) 0.5574) 🇩🇪 This is positive for Giga Berlin 👍  $TSLA #NotSellingAShareBefore5000

24425) 0.0516) @ValueAnalyst1 Hehe. A while ago, they hired Munro &amp; Associates to find flaws in the $TSLA Model 3 and to make negative comments on it. Instead, Munro loved the Model 3.

24426) 0.5267) UBS: "Tesla shares now discount 1.6m vehicles sold in 2025 (vs. 367.5k in 2019) .. We think shares are over-shooting right now and therefore we resume coverage with a Sell rating and a new $410 PT, based on 1.1m cars sold in 2025 at 11% OP margin .."  $TSLA

24427) 0.8625) Jim Chanos on Tesla circa October 2015, when $TSLA was $223.  'BMW sold as many cars EVs as Tesla'  'BMW's entire fleet will be almost fully EV by 2025'   'Other companies are catching up to Tesla'  'Most of Tesla's technologies is other peoples'  🤣🤣🤣   https://t.co/rM1r8cwLSY

24428) 0.6369) “They love it and it is never going down.” $TSLA(s)  https://t.co/s3mK4DYqtG

24429) 0.4767) As I said yest in $tsla when it was $585ish be prepared for a $30-$50 point Drop if U chase it so far from the 8day. It’s $557 now. Maybe it’s worth a scoop near $525-$530 if it sees it. Yesterday’s low is a good pivot to use today after yesterday’s Major DOJI/Gravestone candle  https://t.co/JmaaS8V12l

24430) 0.3612) @thethomasbrand Thank you for your contribution to $tsla.

24431) 0.2023) READ: Important thread on the Martin Tripp case. #tesla $TSLA

24432) 0.5106) ... luckily it was a “small short” $TSLA  https://t.co/qoOy9cioNX

24433) 0.4019) This is definitely not something you see very often.  UBS just more than doubled its price target on $TSLA.  It still says the stock is a SELL   https://t.co/6POgv91LV9

24434) 0.4767) Strong earnings could do the trick.  $TSLA #NotSellingAShareBefore5000

24435) 0.5423) Tesla's Growing Fleet is Getting Safer Even Without Autopilot  $TSLA #Tesla @elonmusk    https://t.co/S3Urszl9jx

24436) 0.6185) So $TSLA is at an ATH. And Tesla is the 2nd most valuable car maker ever.  But are we in the midst of The Mother Of All Short Squeezes?  And is Tesla a car company?  Here's Jim Cramer's view: (Yes, he's mad, but he sure knows his stuff!)   https://t.co/bUXNr4vaeo via @RealMoney

24437) 0.4019) Prominent shill @thirdrowtesla boldly claims evidence suggesting Tripp was paid off by @lopezlinette only to be found to be a liar as there is no evidence, he was just parroting what someone else said. Just like he parrots what @elonmusk says  Great research moron $TSLAQ $TSLA  https://t.co/wn2dKpRXys

24438) 0.2846) @vincent13031925 @timseymour Fun fact: CNBC, when "reporting" about Tesla, showed dramatic daily charts when the price was dropping - but is using monthly charts stretched horizontally to make the $TSLA rise seem less dramatic.  Attention @SEC_Enforcement: obvious short-and-distort campaign by CNBC anchors.  https://t.co/Rb6w1qJQqj

24439) 0.7184) Some companies in China are giving out Tesla cars as the annual bonuses to the employees of the year 🏆  $TSLA #Tesla #China  https://t.co/lCGyYIl1KA

24440) 0.1027) Tesla Gigafactory 4 🇩🇪 is a real stab in the heart of the industry, says Nico Rosberg @nico_rosberg @elonmusk   $TSLA #Tesla #GF4 #Germany    https://t.co/l4TeWL93Uf

24441) 0.296) $TSLA closed at $569, +70% from our Oversold buy alert on 12/03/19 at $334.   https://t.co/3zFHzeWdAM  https://t.co/qm2hRslJCi

24442) 0.8805) $TSLA full of amazing contributors, my 2 for 2019:   @Gfilche of @HyperChangeTV - unbeatable analysis, better than The Street combined   @vincent13031925’s China updates were invaluable   ...runner up @28delayslater for keeping us laughing!  Who helped you most last year? #Tesla

24443) 0.6705) 😂🤣😂 “consumer advocate” defends the Wall Street value of VW the same day it gets busted AGAIN for defrauding consumers and our environment for using cheat decices on dirty deisel engines.  We’re in the $TSLA Upside Down

24444) 0.5571) Fellow $TSLA investors, if I’d asked you 6 months ago at the lows where the stock would be today, what would you have said? I’m not going to pretend for a minute I thought it’d be here, but I was very bullish and did expected a good Q3/4 to double it to around $380. #Tesla

24445) 0.6597) U dont need to drive a Tesla to appreciate it, just biking behind one actually makes u appreciate it more. $tsla

24446) 0.4215) Tesla, currently the biggest automaker in US history by market cap, got a price hike to $550 but didn’t stop there and closed yesterday at $569.56, with another 4% gain.   🚗Explore $TSLA stats:  https://t.co/bgz3f8l1XF   #Tesla  #ZeroCommission  https://t.co/mnnziuFUkS

24447) 0.5859) France increased taxes on ☠️ to support 🔋. $tsla

24448) 0.8176) Older son called said  co worker age 29 bought $40K worth $TSLA calls spring 2019 and let them ride. He cashed those calls in today, went into boss said he was multi millionaire now, quit his job and walked straight  out of office. Sometimes one gets lucky. Good on him 🎈

24449) 0.5423) The insane magnitude of the $TSLA robotaxi oppty seems underappreciated.  @elonmusk: "Flipping of the switch from a car that is from not robotaxi to robotaxi, I think, will probably be the biggest step-change increase in asset value in history by far."  What does this mean?  1/5

24450) 0.7783) The lack of understanding of what's going on with $TSLA is incredible, @CNBCFastMoney. If we get 1000+ likes to draft @Gfilche to come onto your show and explain it to your traders, will you bring him on?  Please like + retweet if you agree Galileo should be invited to the show.

24451) 0.296) Stupidly, I just looked at an Omar/Padival BileFest thread in a private window. This represents the experience perfectly. $tslaQ $TSLA #ColossalAssholes  https://t.co/1qoKgvkkMR

24452) 0.2023) #ExplainBABYCharts #FraudWatch day 357  #BABYcharts, I made you something special for you to frame real nice. #CQCW   Poor Larry. He’s lost his MS mojo ever since coming back from hiding. Funny how you tone it down when people know who you are IRL 🤠  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/ZhjZnS3ybc

24453) 0.2023) Never buy a car from a company that claims it's a tech company, because chances are it's neither. #TheSociopathicBusinessModel #FraudFormula #Tesla $TSLA  #SiliconValley #GodsOfFrauds  #SerialKillerCEO #ElonMusk

24454) 0.6103) CC: @ValueAnalyst1 @Hein_The_Slayer @jjhanna2 @vincent13031925 @s17_scott @SamTalksTesla @loky080659 @OnDaBus6am   I am becoming @ihors3 here ;-) Miss him though !!   PS: All above are approximate estimates. DON'T TAKE LITERALLY. Wait for $TSLA informer @ihors3 😎

24455) 0.6249) "Musk is a treasure and must be protected."   What i would say when being held hostage. $TSLA

24456) 0.5964) This is exactly what I have been saying, people not only want an EV, we want a “Smart EV” with all the technologies like OTA update, autopilot &amp; other features.   Tesla it is ✨ $TSLA

24457) 0.6818) People thinking $TSLA buying volume is irrationally high, but what if it's just all those new owners buying shares just like we did when we got our first @Tesla? Maybe even all the reservation holders are jumping in too?

24458) 0.891) I thought it was awesome how positive a former Ford CEO was about Tesla $tsla  Good Vibez yall @elonmusk @cleantechnica @thirdrowtesla @RationalEtienne @Kristennetten

24459) 0.4576) Very interesting. One might even call it, juicy   $TSLA 🥴🤡 $TSLAQ 🤡🥴

24460) 0.7783) The intrinsic value of a company depends on only two things: future free cash flow stream and equity discount rate. The market is waking up to the potential of both as we see $TSLA FCF flip decisively positive AND net debt decline rapidly. I expect both trends to only accelerate.  https://t.co/rFgBK0EFCh

24461) 0.3612) $TSLA seeing something here. Wave (3)/5 was put in at 595 today. The corrective count suggests that we can see another gap down, or open and fade down to 548 to complete sub wave 5 of C. There is confluence with the 50% fib and the gap fill here. Like it long 548 if we get it.  https://t.co/itiq4ipyxs

24462) 0.4404) Betting against @elonmusk doesn’t look to be a viable business model — just look at the cascading liquidations of $TSLA shorts. Completely and utterly REKT 😂

24463) 0.2003) Anyone would think @elonmusk had launched his own coin! $TSLA 🚗🔋🚀  https://t.co/mUMYvZgAZx

24464) 0.8737) More Ark $TSLA share sales secured!  24,591 shares sold today.  Fun Fact: $569.56 &lt; $6,000  https://t.co/blJqrG0pcT

24465) 0.3382) @RalphNader This tweet won’t age well in 5 years! $tsla

24466) 0.6139) If you're not selling your shares of $tsla now good luck on earnings next week. You can bet that I'm going to buy lotto puts then.

24467) 0.743) "To be honest with you, I don't know, I don't have any idea, I'm gonna be perfectly blunt, I have no questions on Tesla, I don't know what to say, I don't know what to ask..."  $TSLA #NotSellingAShareBefore5000

24468) 0.3818) "It's clear that there are things going on with Tesla that are beyond my comprehension."  You got that right.  $TSLA #NotSellingAShareBefore5000

24469) 0.836) THIS DAY IN $TSLAQ HISTORY:  One year ago $TSLA stock price went below $300 and the #DumDums were celebrating. Here are some of the best tweets from that day:  @Wheels88Fortune @DowdEdward @GrainSurgeon @themicrx @Salt_Nole  https://t.co/DVGJbliTcg

24470) 0.3612) exactly. as i’ve been saying, $TSLA and #IOTA are like peanut butter and jelly 🦾🤖⚡️#IoT #IOTAthestandard

24471) 0.4215) Want a US success story? It’s here, just no one wants to believe it 🤷🏻‍♂️ #Tesla $TSLA   https://t.co/XLFhxeSm9u

24472) 0.0772) Wow @timseymour. How bad are you at your job? You claim to be short since $100 ago. It’s been over $200+ dude. You specifically said you’d cover at $370.   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/tzPkw4BUOv

24473) 0.9468) Looks like 16% of the shares outstanding traded hands today. The 10 day average is 11% of shares $TSLA $TSLAQ. They've basically traded the equivalent of all outstanding shares in under 2 weeks (and we know Elon owns 20%). Can't wait for earnings!

24474) 0.6705) I wish 1broker was still around. Imagine being able to ride the $TSLA pump with Bitcoin as collateral.   It would be nice to have a crypto exchange offering CFDs on legacy markets.

24475) 0.6115) @VentureCoinist @nic__carter I was considering entering a meme short on $TSLA at $420   incredibly happy I didn't

24476) 0.7713) Tesla tops $100 billion in market cap, making it the second most valuable carmaker in the world. The traders weigh in on $TSLA's record run.  https://t.co/KrOQjtsnMp

24477) 0.4574) (more than) 100 billion dollars! $TSLA 📈🎉🍾  https://t.co/qtcpmPxduu

24478) 0.2023) $TSLA Today's candle and volume tells me a short term top is in. Swinging short

24479) 0.8979) Can we all just take a moment to appreciate these recent quotes from our friendly neighbourhood bear 🤣  He should have listened to @Gfilche when he was handed the opportunity to meet a real analyst face to face.   $TSLA #Tesla  https://t.co/dSCtVphl9c

24480) 0.6369) Who knew @Grimezsz was the best tesla trader other than Cathy $tsla $tslaq  https://t.co/DBmt8JjIg1

24481) 0.8286) LOL.  You've got to love it. #tesla $TSLA @elonmusk

24482) 0.7269) Someone asked me how I feel about the fact that, over the past several months, there are many new shareholders who have acquired $TSLA stock at $300 and above. I feel about them the same way I feel about the dog that finally caught the car. I hope they enjoy their meal.

24483) 0.0772) Why Jim Cramer Says That Tesla Doesn’t Have a Direct Competitor 🚘🤖📶 “People want technology on wheels.”  https://t.co/vR1FRdZA8a $TSLA #Tesla #EV  https://t.co/DITKJFDgu3

24484) 0.2382) $tsla was $590+ at the time below.  I hope I Helped U from chasing earlier.  It’s $567 now and “might” have a bit of a topping tail.  But it’s early

24485) 0.7579) So you’re telling me you held $tsla short 300 points against you aye . Have a wonderful afternoon everyone lol

24486) 0.4767) Tesla now 25 bucks off the day's high on twice average volume while up 36% this month, I'm sure it's fine. $TSLA  https://t.co/MN4cAFAczp

24487) 0.5267) $TSLA has doubled in a few months...and added $50B to its market cap...and the best argument bears have is...  You will see one day...  Like longs are forced to hold all shares into perpetuity...  lololol

24488) 0.9862) $TSLA 1000C went to $25 today and now $22  I keep looking but never buys  🤣🤣🤣🤣🤣🤣🤣

24489) 0.6808) Shoutout to $TSLA @elonmusk i appreciate the easy 💰 last two days  https://t.co/TT8fJGHl1h

24490) 0.1531) Watching analysts' opinions of $TSLA change with the stock price is ridiculous. Aren't these folks from respected firms supposed to be providing high-conviction, well-researched opinions?

24491) 0.34) Tesla market value crossed $100 billion for the first time Wednesday, becoming the first American automaker to power through the milestone. #CheddarLive $TSLA  https://t.co/T1IthnRFA1

24492) 0.9732) $TSLA almost $20 off hod  Is this bargain? Asking   🤣🤣🤣🤣🤣🤣🤣

24493) 0.5859) What an amazing world we live in where I can sit in my current car watching the price action that’s paid for my next, slightly sportier car 😜 $TSLA  https://t.co/csxVlghR9F

24494) 0.6124) If you haven’t been long $TSLA for days/weeks/months and your active.  Here IMHOP shouldn’t be Ur first buy.  It’s $80 points Above the 8day &amp; usually visits it at some point.  Last week was the buy. Make sure u can handle a $30-$50 point pullback off highs if U do.

24495) 0.6369) I wonder how many seniors may have been nudged toward getting a Tesla by family who innocently believed that autopilot/FSD/@NHTSAgov falsehoods would make it a safer choice than other cars. $tslaQ $TSLA #corruption

24496) 0.3818) Oh boy. I can't wait to hear from @ihors3 on how shortsellers are doing now that $TSLA has gained another $70/shr since this last update five days ago (at which time they were down $2.5B in the past three weeks and probably a cumulative $11B or so in the past four years).

24497) 0.5994) I think this is spot on. I also think that whoever gave that cover the green light has blessed us with an image that will be in ALL the books. $tslaQ $TSLA #CYAZ

24498) 0.8286) If you liked shorting $TSLA last Thursday at $500, you should LOVE shorting it today near $600

24499) 0.4199) hey any update here? thx!  $TSLA

24500) 0.6249) $TSLA % of shares outstanding short approaching a 9 year low  https://t.co/S2y2aIIqjD

24501) 0.6908) Not Bad $TSLA. Not bad at all...  https://t.co/BtFHd0WKXP

24502) 0.5106) Can the real Tesla competitor please stand up? @JimCramer breaks down @ElonMusk's biggest advantage when it comes to $TSLA:  https://t.co/F7G0VJffuE  https://t.co/Myr0HqbNa7

24503) 0.4767) Sold 1/3 of my $TSLA position at 594. +103.4%  Position size reduced from 87% to 58% of my account MV.   Cheers to anyone who joined me on this trade. 🍻

24504) 0.5231) Holy shit !!  #Tesla is now the second most valuable automaker of the world $TSLA 😍 @Tesla @elonmusk  https://t.co/xld5cpoaEs

24505) 0.3612) $TSLA Back in early late 1999/early 2000 rapid stock price moves higher were followed by narratives that tried to explain the climb (after the fact) rather than having a narrative that eventually is reflected in the stock price.  It feels like deja vu all over again.

24506) 0.9168) Wow -- $TSLA looking like its 5th @TMFRuleBreakers  spiffy-pop today! (Though #SpiffyIsForClosers.)   Here's the excerpted top of our buy report, 11/23/2011. Fun to see some of the numbers, back then (and all pre-S).   We continue to hold the shares. #thisishowwedoit @RBIPodcast  https://t.co/IJ97ae7b1K

24507) 0.948) A feeling of a team win is much greater than individual one. $TSLA   AT FIT we focus on working together as a TEAm to help each other be successful @FiTraders @FitradersRick

24508) 0.296) $TSLA is up $255/ share since Jim says:  https://t.co/mcKZijKjjq

24509) 0.6486) But if you want to be a degenerate gambler and try to fade a parabolic stock through earnings, this is one of the least-bad ways to trade it.  Thanks for coming to my TED talk.  $TSLA

24510) 0.4449) [THREAD] The least dumbass way to short $TSLA right now.

24511) 0.4404) For those that own a substantial amount of $TSLA do you have an exit strategy once the stock does hit a certain price ($5k or whatever).  Thought through tax implications?

24512) 0.0956) Had to close $TSLA short position at $491, and the balance today at $580. I'm normally a short and hold type, don't use stops, but position size was getting silly.  @elonmusk could sell enormous amount of $310 call option contracts bought to hedge the last convert to raise here.

24513) 0.2732) Tesla Massive 25 MW Powerpacks Set To Backup Wind Farm in Australia 🇦🇺   $TSLA #Tesla #Powepack #Energy #Australia    https://t.co/piKP2k32QR

24514) 0.5994) Can we just admit that Larry Ellison‘s $1 billion purchase of Tesla stock looks pretty freaking smart right now? $TSLA

24515) 0.4767) @alex_avoigt so @Daimler had a 10% stake in $TSLA. sold its remaining stake of 4% in 2014. those shares would have been worth ~ 10 billion today, that is 20% of the current Daimler market cap (48.42 B). is wpipperger the CFO at that outfit? $TSLAQ   https://t.co/y15QU5HQUI

24516) 0.6444) $420 seems so old now😆😆.  $tsla

24517) 0.3612) Watching $TSLA today like  https://t.co/RjuROQ6IID

24518) 0.4767) The insane thing about the $TSLA squeeze - aside from just being lunacy - is that it’s a self fulfilling prophecy of sorts  Higher the co’s valuation, easier access to capital  With higher short interest now than anytime of recent there’s plenty of fuel   1/x

24519) 0.4939) $TSLA next monthly target 735+ 🤣

24520) 0.5106) $TSLA Tops $590, Up 8%  maybe tesla can cure the coronavirus

24521) 0.6908) Oh btw, forgot to say:  Good Morning $TSLA 🤗  https://t.co/dm996aBF45

24522) 0.1531) It amazes me how all the analysts come out if the woodworks now. None were there except to bash $tsla on 11/22.  All they did is bash and Criticize  https://t.co/GHyQixo8SA

24523) 0.7096) Former Ford CEO Mark Fields said that Tesla deserves praise for building an "iconic brand" for electrification, and investors have reason to be optimistic 👍🏻   #Tesla $TSLA #Ford  https://t.co/4UlSp7UgKZ

24524) 0.5562) So $TSLA China is worth $300/share..?! That’s $55B, or the value of either BMW or GM. Oh, and the US has gone ex-growth in just two years. @SquawkAlley

24525) 0.2263) $TSLA is now worth 1.75 peak Lehman Brothers.

24526) 0.4939) One friendly advice to Wedbush, dont cover $tsla

24527) 0.4215) Now I’m up ~72% in my $TSLA position, that’s nice

24528) 0.7469) NEW @BW cover: ace $TSLA reporter @danahull goes long on America's most-shorted stock.  Excellent look at the #TSLAQ counterrevolution: "People are always like, ‘Never bet against Elon,’ but I’m like, ‘Always bet against Elon’"  https://t.co/bn29L7KJIj  https://t.co/HbEuYFCy5i

24529) 0.5267) Tesla reaches agreement to sell directly &amp; delivery EVs in Michigan  $TSLA #Tesla    https://t.co/z63AJrSduu

24530) 0.8802) I know we all like to think $TSLA will go up forever without pause or pullback, but these are sage sentiments from @GerberKawasaki. Tesla isn’t a $1T company yet. I’m very confident it has the ability to get there, but the journey will be full of challenges. I’m still long!

24531) 0.6249) Tesla at New All-Time High Again; Market Cap Reaches $100+ Billion  Congratulation @elonmusk &amp; all 🐮  $TSLA #Tesla    https://t.co/Yxd35ecSf9

24532) 0.6369) $TSLA I got crazy lucky with my puts. You can check my steam, but bot puts, sld two days later when it hit $498, made 40% and bailed bc it didn't feel right.   Pure luck but I'll take it.

24533) 0.4404) $TSLA @ $580.16  Is this the squeeze the shorts have been waiting for? 😂  @ValueAnalyst1  https://t.co/43dzFwgnqO

24534) 0.4019) This is why I haven't shorted $TSLA. Elon's a made man. Word is he's ALL OVER dc trying to garner favor. Only thing that explains his immunity with regulators  https://t.co/94dETbyHMM

24535) 0.0516) So now $TSLA is the second largest car company by market cap: $102B.  VW is $99B and Toyota is at 200B.  How long before it reaches #1?

24536) 0.7964) Per @YahooFinance $TSLA Profit Margin-3.39% Return on Equity -10.45% Quarterly Revenue Growth (yoy)-7.60% Diluted EPS (ttm)-4.77 Quarterly Earnings Growth (yoy)-54.00%

24537) 0.4951) Given all the hoopla today about $TSLA market cap— a measure of trading enthusiasm— key to remember fundamentals are still very negative and Book Value Per Share, aka salvage value available to shareholders in a bankruptcy, 33.56,  is a small fraction of its current share price.

24538) 0.34) Tesla now has a $103 billion market value. $TSLA  https://t.co/xS3gKJtO3l

24539) 0.8114) @Tesla surpasses VW as second most valuable vehicle manufacturer with $100 Billion valuation! Congrats @elonmusk and the team! $TSLA  https://t.co/D0NlkzxA3E

24540) 0.3612) $TSLA looking back at $420 like  https://t.co/c8P9WFZREt

24541) 0.4588) Very likely that Tesla shall surpass Toyota in market cap end of 2020. As likely as number of ICE OEMs shall ask for government support. $tsla

24542) 0.6705) Thank you $TSLA I’m already half way there 😎. (New Year’s resolution to make a million.)

24543) 0.5256) Tesla is now the second most valuable automaker of the world $TSLA  https://t.co/5Bgd5aqDna

24544) 0.25) 10/ Hull noted Musk continued his attack post-dismissal. She gave $TSLA &amp; Musk an opportunity to comment on the huge discrepancy. You can guess what happened next (nothing, of course):  https://t.co/aSREV9agJA

24545) 0.8481) 9/ I was happy Hull pointed out the huge discrepancy between what $TSLA claimed in its pleadings (which enjoy immunity from a defamation claim, so just tell any lie) and the police report regarding the Feb 2018 incident:  https://t.co/A4dZwD3ssp

24546) 0.9108) 7/ But that misapprehends Dana Hull's beat. She is not, and does not pretend to be, an expert in finance or an accountant. She is, rather, a curious, inquiring mind fascinated with the human interest elements of the $TSLA drama.

24547) 0.296) 6/ I feel sympathy with this viewpoint by the formidable @orthereaboot who, as many here know, recently collaborated with me on an article raising serious questions about $TSLA's persistent practice of classifying warranty expense as goodwill:   https://t.co/zE9LfbDXCm

24548) 0.5859) 4/ I thought the article was thoughtful, fair, and (as always with Hull) well-written. It accurately described the @skabooshka injunction proceeding brought by $TSLA, captured the gentle &amp; intelligent soul he is, &amp; recounted the unfair attacks he has endured...

24549) 0.2023) 1/ I see that @danahull's long-in-the-works piece on some of the $TSLA Skeptics was published at Bloomberg Businessweek today. I share some thoughts here. Link at the end of this thread.

24550) 0.3818) This is you in an orderly rise: 🥳  This is you in a short-squeeze: 😳  $TSLA #NotSellingAShareBefore5000  https://t.co/syoAzHzwLG

24551) 0.8001) $TSLA TOPS $100 BLN TO BECOME NO. 2 AUTOMAKER BY MARKET VALUE

24552) 0.1779) @GerberKawasaki Wrong. The bull ride just started. The long period (5 years) of stagnation of $TSLA stock ended. If you compare with Netflix, Amazon and Apple the same 5 year period you will see that it is way undervalued.  Cheers.

24553) 0.7096) Sold my calls this morning at open for 300%... Thanks $TSLA :)

24554) 0.4978) Too much is going right for $TSLA to sell your shares, even now at $570. EVs are still at only 2% market share. Growth runway + pipeline never been stronger. Possible 15% ROIC. Third of total debt likely to be wiped clean. Growth &amp; decreasing cost of capital is a dangerous combo.

24555) 0.6369) President @realDonaldTrump said in a CNBC interview on Wednesday that @elonmusk  is ”One Of Our Greatest Geniuses.” $TSLA #Tesla #tslaq  https://t.co/88LoJS69Oh

24556) 0.8779) President Trump Praises @ElonMusk ”One Of Our Greatest Geniuses” Like Tomas Edison  $TSLA    https://t.co/4h06ODgD2o

24557) 0.8176) Tesla opens at $568 up my lucky $22. Another good day. Love it. Markets moving higher. Why not. The bull is on fire. $tsla

24558) 0.4588) Tesla will report a great qtr next week. Can’t tell you where the stock will go from here.  But enjoy the ride Tesla faithfull. It’s much deserved.  (And don’t be scared to take a little off the table) $tsla

24559) 0.8001) TESLA TOPS $100 BLN TO BECOME NO. 2 AUTOMAKER BY MARKET VALUE   $TSLA  $TSLAQ  https://t.co/pXkTgF7eKi

24560) 0.0754) If you buy Tesla stock at this price you are solely betting on the future. Which is very bright for Tesla. And that’s reflected in the price.  If something goes wrong, which it can, there is risk.  The huge discount that Tesla traded at last year is gone. $tsla

24561) 0.624) Even Trump is talking Tesla now. What does fully valued mean. It mean you are not buying the stock at any discount to it’s current worth. $tsla

24562) 0.7302) Tesla fans. Yes we’re here. $100bil. Another upgrade pushing Tesla higher. Who knows where $tsla will be in five years.  But today it’s fully valued .  https://t.co/e5by3t3gwq

24563) 0.3612) When it comes to $tsla ..many wall Street analyst look like Blackberry and Nokia. The only ones who've got it right are @ARKInvest, @GerberKawasaki and @baronfunds ...anyone else long since 2015-16?

24564) 0.4215) Tesla Shares $TSLA  Are Headed To $900—By Way of China, Says This Bullish Analyst  Seriously this is what I have being saying for a very long time, Tesla development in China is a huge deal.   https://t.co/c471ZOhKoM

24565) 0.5228) With $TSLA at ATHs, just looking back at this great article by Benedict Evans about various topics of disruption, and a very balanced look at Tesla.  @DavidGFool @TMFInnovator @danielsparks @saxena_puru    https://t.co/ToTXxeRwz4

24566) 0.3167) Former Ford CEO says Tesla is an 'Iconic Brand'  "If you look at what #Tesla has done, they have really created a kind of iconic brand... an aspirational brand for electric vehicles."  @elonmusk $TSLA    https://t.co/NMIlwW2hAP

24567) 0.5859) $TSLA is an amazing ride right now  https://t.co/GJO2OS7grp

24568) 0.34) A core tenet of mine regarding short selling is to avoid all stocks with high short interest relative to float and avg daily trading volume. It is a no short dictum that has saved me alot of $. $TSLA is one of those that will never short because of that.

24569) 0.6908) "He's also doing the Rockets.  He likes Rockets.  And he does good at Rockets too by the way."  $TSLA $TSLAQ #ElonMusk #Tesla #SpaceX

24570) 0.2263) @zerohedge Ferrari which sold 9,000 cars last year, worth more than ford, which sold over 5 million cars $TSLA $TSLAQ

24571) 0.8879) $TSLAQ, you made the cover of Bloomberg @business! Hug and squeeze. 🤗   Happy $100B, $TSLA! Here’s to the next 10X. Viva rEVolution!  https://t.co/ip591FXxaw

24572) 0.296) I wonder if @elonmusk could get any funding for taking $TSLA private at $420 per share?

24573) 0.4215) $TSLA - The beatings will continue until 🩳 morale improves.  https://t.co/rvSKda4aDc

24574) 0.3818) Are any short sellers in this name even alive anymore? $TSLA $TSLAQ

24575) 0.5983) Tesla Becomes The First $100 Billion Publicly Listed U.S. Automaker!  After topping the combined value of Ford and GM earlier this month, Tesla is set to overtake Volkswagen as the second most-valuable carmaker in the world.  $TSLA shares +4% to $572.   https://t.co/6grgPjy1ao  https://t.co/vj2Cnw1duu

24576) 0.7248) US President @realDonaldTrump said @ElonMusk is not only good at EVs. "He does good at rockets, too.. I never saw where the engines come down with no wings, no anything, &amp; they're landing." He also said Musk is "one of our very smart people, &amp; we want to cherish those ppl," $TSLA  https://t.co/N8vOVb314h

24577) 0.7351) Interesting $TSLA observation at 580 target. There is a clear 4 wave impulse here (i-iv) with confluence at the measured W5 move at 582. They have been extending the fifth wave. COULD suggest a retracement from 582 down to 2h demand to 542, before blasting to 622. Potential play  https://t.co/piIHr1nA6s

24578) 0.855) In hindsight @elonmusk’s decision to borrow against his $TSLA stock rather than selling stock has been an amazing financial decision. I guarantee he is paying a tiny amount of interest on that loan and just look at the stock price!! 💵

24579) 0.5267) "Trump Praises Musk for Rockets, Plant Plans in the US"  What does @realDonaldTrump know about $TSLA's capacity expansion in the US that we don't?   Tesla's capacity utilization at Fremont was only 73% last year. And they don't have much of a new model pipeline (or the money).  https://t.co/L0jbq5wv82

24580) 0.2263) $TSLA now worth nearly as much as Ford, GM and FCA combined.

24581) 0.5106) There r 3 things that will be added to the current valuation of $tsla in 2020. Feel free to model it 1- New battery tech 2- Autonomy 3- Solar

24582) 0.5574) $tsla stock moving on reports Model Y deliveries beginning next month, Michigan settlement regarding sales in state, and positive comments from President Trump on Tesla and Elon.

24583) 0.6431) Ppl r surprised with the rapid increase of Tesla market value. Dont be, it is long in the making so far hindered by $tsla shorties FUD to profit from volatility. Now that auto industry’s real weakness is quite exposed, smart capital leaving it and is following future led by Tesla

24584) 0.4359) Struggling to recall a time a stock has been this much up in pre-markets!! Wow! $TSLA  https://t.co/1AHWozAygc

24585) 0.4871) Why was @realDonaldTrump worried about Elon Musk when $TSLA is at ATH and SpaceX just succesfully completed another break-through test?  What does Trump know that the market/public doesn't? I have my ideas, but whatever it is it's the same thing he's trying to protect Musk from.

24586) 0.4601) Up $30 in the premarket is kinda fun $TSLA  https://t.co/PDV1baITKy

24587) 0.0772) 580 target met from sub 500 alert for +80 points. I have 622 as my larger degree III wave target but i will cut my longs i swing from 497 at the open. Tune out fin twit noise, on the sell to 492, too many were claiming top and sub 300 coming. Price action is what matters $TSLA  https://t.co/ugXPuQxp4F

24588) 0.4404) $TSLA all you have to do is blink twice, and $10 pts ... That easy.

24589) 0.2263) I've never found, in ~30 years writing about listed companies, an ongoing saga as compelling as Musk vs #TSLAQ. The emotion, the conviction, the personalities, the stakes keep me riveted  https://t.co/YFurBn5ZIX via @BW @danahull @skabooshka @elonmusk @montana_skeptic $TSLA  https://t.co/alW06zEKnO

24590) 0.1326) $TSLA has more than tripled since its bottom last summer.  Here's why it's not that weird, and not evidence of any kind of bubble:  From today's @markets newsletter  https://t.co/e5TYtjIuOw  https://t.co/vg3Zb77BEZ

24591) 0.3182) "Fair and Balanced" coverage  $TSLA

24592) 0.7717) "He's one of our great geniuses and we have to protect our geniuses."  @elonmusk @tesla @spacex $tsla $tslaq @ValueAnalyst1 @vincent13031925 @SteveHamel16 @nextmove_de @mortenlund89 @spotted_model @Model3Owners @TilmanWinkler  @alex_avoigt @28delayslater   https://t.co/zTkXQbvkMY

24593) 0.5859) For those trying to find $TSLA top ... neat tool I use.

24594) 0.1007) DANNNNNNNNNGGG is everyone ready for today?! 😳 #Tesla  Premarket $TSLA is 🔥 🚀🚀🚀  https://t.co/VNBe6v9M9g

24595) 0.1576) $TSLA shares have more than tripled since its low last year. In today's @markets newsletter, will explain why there's nothing weird about that.  Sign up here and get in your inboxes  https://t.co/e5TYtjIuOw  https://t.co/Wy1e0Mo8Db

24596) 0.659) Tesla $TSLA poised to overtake Volkswagen as 2nd most valuable automaker in the world  https://t.co/JcBX2mT8ed

24597) 0.1531) Here’s a compilation of #Tesla #Model3 sudden unintended acceleration videos. This proves that humans would never mash the accelerator by accident. People are perfect. $TSLA  https://t.co/qMjhptZHm6

24598) 0.0516) Fred will only get excited when Level 5 is achieved. $TSLA will never achieve Level 5. The article no longer contains the disclosure that Fred is long. Makes sense.  https://t.co/DGTFPV3zLh

24599) 0.7184) From $TSLA's Answer: taking your hands off the wheel will be used against you in a court of law—unless you're Elon Musk, in which case endangering others' lives is perfectly fine.  https://t.co/LYuFQWQ2hC

24600) 0.9746) We hear a great deal about how wealthy @elonmusk is, but the facts are that he would rather borrow $1b against his stock than sell a penny of $TSLA or take a salary. Asset rich, yes, but his commitment is unprecedented for any CEO &amp; fills me with confidence as a shareholder.

24601) 0.8481) Between Michigan legal win, early #ModelY rumors, solid Q4 results and a fast #GF3 ramp, Norman continues his strong buy rating for $TSLA   (Dog on Twitter ≠ investment advice)  https://t.co/8jofM3DHGZ

24602) 0.4767) #ExplainBABYCharts #FraudWatch day 356  1. Let’s get one thing straight, if #BABYcharts actually kept his word and admitted to a mistake, his account wouldn’t exist anymore. 2. What happened to the last legacy OEM CEO this #DumDum put on a pedestal? 🤭  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/jrqYBjLYEP

24603) 0.7096) Elon honestly does a 10x better job at PR than these Boomer car companies. $TSLAQ $TSLA

24604) 0.6293) $TSLA $TSLAQ Only the beginning-The narrative that other OEMs are bumbling dolts sitting on their hands peddled by the likes of @CNBC @barronsonline @business &amp; the rest of the SV tech bros is almost over. Real innovation takes decades generations. In Detroit it runs in our blood

24605) 0.4939) Wow. I'd not seen this footage of the Tesla Model X accident where the third row tore off from the front of the car. Again, thankful no one was in the back row. @NHTSA  #Tesla $TSLA  https://t.co/hDla7Hosap

24606) 0.725) What happened to $TSLA! @thirdrowtesla let me know before you publish part 2, I need to buy more shares before the next one gets published! 😁

24607) 0.5106) .@Tesla became the first $100 billion publicly listed U.S. carmaker in extended trading on Tuesday, in a sign of Wall Street’s confidence in an all-electric future 🚘⚡️🔮  https://t.co/yhBqrlMpO5 $TSLA #Tesla #EV @elonmusk

24608) 0.7351) @tsrandall It's a deep value stock. $TSLA is undervalued by atleast an order of magnitude for the automotive business itself. And potentially equal to that for the energy storage part. (we haven't yet started on the ride hailing dreams)

24609) 0.296) @Tweetermeyer @WaltLightShed So, in other words, truly designed to slash costs, reduce the need for car ownership, and cut emissions. Just like a $120k $tsla Model X, except exactly the opposite.

24610) 0.1961) @ghost_scot @PlainSite @ghruffo @montana_skeptic Nice find, more $tsla fraud.   This says goodwill-sales/delivery”, first time I’ve seen this I believe, so yes it’s fraud in that it’s clearly a warranty repair/CGS, and yes it inflated auto GM, but it prob goes in to Auto SG&amp;A, not service SG&amp;A, so there’s that.

24611) 0.2732) Hear me out  What if this $300 point $tsla rally  Is because @elonmusk finally solved actual level 5 FSD?

24612) 0.2828) Interesting... but how?! $TSLA  https://t.co/dmlwV0zr6J

24613) 0.5267) We made it, as a team 💪🏻💪🏻💪🏻  $100 Billion Market Cap ‼️  Congrats @elonmusk, @Tesla team, $TSLA investors &amp; owners 🙌🏻

24614) 0.8519) If you didn’t catch this. It’s just great.  Elon and the Tesla love club in full force. #tesla $tsla @thirdrowtesla

24615) 0.8395) Congrats @elonmusk and @Tesla ! $100,000,000,000. You’ve changed the world for the better! EV for life. #tesla $tsla #ESG #sustainability #energy #Solar

24616) 0.5994) I’m going to update my $TSLA price target to “A Positive Rational Number” in my next note.   While slightly less specific than my current forecast it does rule out an infinite number of numbers. 🧐

24617) 0.5994) Nice to see that 58 minutes into his Third Row Tesla interview, Elon Musk affirms much of pages 1-2 of our $TSLA report (concerning Zip2 and Compaq). It's indeed amazing how "unstoppable" companies in the midst of bubbles can just disappear overnight...  https://t.co/vwtBtC5f2R

24618) 0.7184) $TSLA Look at the call volume on the weeklies vs open interest. My goodness:  https://t.co/YI7KFsQOxW

24619) 0.3182) Already past $550 in after market  Not bullish enough. And you call yourself a $TSLA fan?  Stand in the corner and think about what youve done.

24620) 0.4019) Nope. This is a decisive breakout, which is only partially explained by short covering. The trigger is significant institutional buying. We will find out when 13Fs come out ~15 Feb. Will there be 30% drops? Yes. But I am not a market timer or trader. Use the dips to add. $TSLA

24621) 0.0533) Einhorns PUTS are most likely worthless, since he still owns some, but not of any value.  😂  $TSLA

24622) 0.8316) Let me explain profit taking: You buy 1000 shares of Tesla at $200 or $200k. Its now worth $550k. You sell $100k worth. Now your position is worth $450k which is still twice what you originally invested. This has nothing to do with your opinion on Tesla. $TSLA

24623) 0.3597) 2021 GAAP EPS: $70 2030 GAAP EPS: $250 50% dividend payout ratio = $125/sh annual dividend X total shares you own right now = 🤠  $TSLA

24624) 0.5106) The big theme in investing is #ESG. This term means nothing really as investment firms are using it for "marketing". Yet zero ESG funds own Tesla. How is that? It seems like it should be the top holding for these funds. #tesla $TSLA

24625) 0.9442) Maybe I should buy some $TSLA shares to cool it down 😎🤣🤣🤣

24626) 0.9543) ET: $TSLA SHARES NEAR THE GOD-KING'S $100 BILLION PAYOUT THRESHOLD AFTER HOURS ON HOPES OF GIVING ZADDY A NICE END-OF-YEAR BONUS FOR MAKING THE STONK GO UP 200% TROUGH-TO-PEAK SINCE MID-2019

24627) 0.3182) Please @timseymour, don’t make me update this again  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/KAFWeSuJFB

24628) 0.4588) $TSLA 551 After hours. :)

24629) 0.7515) Tesla hitting ATH in after hours trading. $TSLA @ $549.78 (+7.4%)  Remarkably, short interest continues to build. Short squeeze won’t end without: a) reversal in short interest and b) final blow-off top.   $800 + likely on this move. Would not be surprised to see $1500 #long

24630) 0.6115) “[@Tesla] has a big [software] advantage over traditional OEMs… The CEO of VW last week in an internal meeting said we are far behind on software &amp; need to up our game. That’s a really interesting comment coming as they’re launching their ID.3…” 💻 $TSLA  https://t.co/HbMOAelsrt

24631) 0.6486) Ex-Ford CEO Mark Fields: Tesla deserves credit for building an ‘iconic brand’ 🚘🔋📶 “Part of @Tesla's competitive advantage that falls under the radar is its software, which Fields said stands years ahead of its rivals.”  https://t.co/EwicxBcyBL $TSLA #Tesla @elonmusk

24632) 0.3578) Tesla Settlement In Michigan Will Allow Company to Sell Directly to Consumers !!   $TSLA #Tesla  https://t.co/4x9H2mqd31

24633) 0.4215) "We’re going to see electrified Armageddon,” Bob Carter, Toyota’s executive vice president of North American sales, told reporters in December. “Supply is going to get ahead of true customer demand.”"  $TSLA $TSLAQ  https://t.co/xDchn1RXnC

24634) 0.8225) Anyone grab $tsla at the 8day In the $490-$498.50 area?  If so, congrats.  The 8day is the best spot to buy a dip in Momentum names.

24635) 0.5994) @thirdrowtesla @elonmusk Maxwell sold itself for $235 Million in @Tesla Stock in May of last year. Today that stock is worth $558 Million. I think Tesla told Maxwell the real way to reap the benefit of the battery breakthrough was via $TSLA.

24636) 0.5994) Tesla almost reaching $100 billion in market cap, will become the second most valuable automaker of the world soon $TSLA  https://t.co/RfG6mXCdVw

24637) 0.7269) The $TSLA chart looks crazy, and like some sign of a bubble. But actually it's totally normal and makes perfect sense. Will explain why in the @markets newsletter tomorrow. Sign up here.  https://t.co/e5TYtjIuOw  https://t.co/AHvmytltMX

24638) 0.3612) 2012 #ModelS buyers from Michigan, your order is ready for pick up. $TSLA   https://t.co/34vlG6oqkr

24639) 0.7678) I hope @elonmusk does not do any typical media interviews. Quality of content is just so good with @thirdrowtesla @lexfridman @joerogan and @MKBHD. Learn so much from each of them. $tsla

24640) 0.9523) Called it a day after crushing $TSLA - huge congrats, plenty of opportunities to play this. I gave the run from 400 to 500 and now another opportunity for another 40 points. Success comes from studying FEW names, Rather than monitoring 10 IMHO. Cheers! 💯

24641) 0.4754) Elon Musk also said:   “The evidence is there in the incredible progress in the factory which was built with very high quality in a very short period of time and the cars coming out of Shanghai are really high quality.”  $TSLA #Tesla #China

24642) 0.7165) Tesla CEO @elonmusk mentioned in our @thirdrowtesla podcast:   “There’s just so much talent and drive in China 🇨🇳 that I think it’s a good place to do a lot of things,”  Full Part 1 vid:  https://t.co/Lkg0Yw0aiq  $TSLA #Tesla #China #GF3  https://t.co/aolEtq0Jw3

24643) 0.34) By bidding on Maxwell, @elonmusk gave everyone heads up that Maxwell has the tech worth acquiring, after expressing skepticism on most emerging battery tech.  And competitors let Tesla have it for ~$200M, or ~0.2% of $TSLA's current market cap.  Thank you, Detroit &amp; Germany.  2/2

24644) 0.9331) "He didn’t offer exact price targets but he said his outlook is in line with those calling for Tesla to reach $4,000 a share and to be worth $1 trillion by 2030."  $TSLA $TSLAQ The best bullish case ever made for Tesla, according to prominent Tesla bear  https://t.co/AFRMCj8N0k

24645) 0.4019) POLL: When will @GerberKawasaki buy back his $TSLA shares? 🔥😂🍿 cc: @ValueAnalyst1

24646) 0.2732) One can be certain: There wont be any new ICE passanger cars for sale in Western Europe by 2035. $tsla

24647) 0.4186) Another day another price target hike.   I love the execution focus on this one. It's not just on demand or a future potential for Tesla, but their current execution and that trajectory.  $TSLA   https://t.co/DWQhS47ROk

24648) 0.5267) #TeslaRegenIssues #TeslaSafetyIssues $tsla $tslaq 1/2 "I am driving this morning to work...getting ready to join left lane when WHAM my head lurches forward and car is braking like crazy, green line all the way to bottom, I had to accelerate and push hard to regain some speed".

24649) 0.6369) Wondering if $TSLA is still @WallStCynic's best short.

24650) 0.8074) $TSLA is now 29% above the $420 / share Musk wisely turned down given that capital raise would have undervalued the company’s strong underlying business fundamentals.

24651) 0.6249) $TSLA another great example of symmetry.....If we continue to hold here 562.44 is target 1  https://t.co/MfFdhnyuGn

24652) 0.5093) "We increased our $TSLA price target to $800 today. Worth noting, though, our initial target of $530 was set in 2018, so 2 years down the line, compounded 20% p.a., $800 is the right place to be. Not much has changed in our conviction!" - @p_ferragu    https://t.co/YGNopmAaJ2

24653) 0.25) Sea change.  "They have created an iconic brand"  Mark Fields, Former Ford CEO  $TSLA #NotSellingAShareBefore5000   https://t.co/Ne0MVHRx5O

24654) 0.4767) $TSLA EU deliveries are now showing March delivery dates (from Feb previously) for Model 3, S &amp; X.  US Model 3s are 6-9 weeks for SR+ and 7-10 for AWD &amp; P.  All Model 3s in China (US LR &amp; MIC SR+) are showing Q2 delivery.  All looks positive for Q1 demand and deliveries.

24655) 0.811) Another goal for 2020 completed! Sell a 10 Banger! Woohoo! Thanks $TSLA!  https://t.co/rH0M1WkGJJ

24656) 0.6597) Malpractice in plain sight by a "charitable organisation" that is supposed to be focused on legal transparency.👇  Instead, @plainsite's sole "employee" @aarongreenspan spends all day moaning about his personal $TSLA short position.

24657) 0.9098) $TSLAQ better call the NHTSA - they are experiencing unintended acceleration!   🤣😂🤣  #TESLA $TSLA  https://t.co/BNSosji180

24658) 0.1798) @p_ferragu @BATMongoose Actually Tesla’s true gross margins (ex-tax credit sakes) at 15-16%, are right inline with the Industry’s 15% figure. Despite EV dominance and a hefty software component. $TSLA  https://t.co/sB0IZ06tmJ

24659) 0.6229) And you thought that short seller was upset about $TSLA “sudden unintended acceleration” before!  I bet he did not intend for this sudden share price acceleration the first trading day after his complaint became public! 😂🤣  https://t.co/ZbZ674VFUm

24660) 0.8651) Accelerated unbelievably fast. 😲😲😲😲 $TSLA $TSLAQ  https://t.co/9Vn1lqXjpj

24661) 0.7476) Is this a joke? $tslaq Seriously, $tsla is worth $800/sh based on "its ability to execute?" Please tell me this is from The Onion -  https://t.co/QoCGMBgdHl

24662) 0.5256) $TSLA up 6.35%, today Tesla could become the second most valuable automaker of the world

24663) 0.6124) $TSLA to $8,000; why stops at $800?  Haha..  Tulips Cost More Than Houses During Dutch "Tulip Mania"  $TSLA &gt; Tulip &gt; Trump Tower 🥳🤦‍♂️  3 T's......

24664) 0.1984) Wow!  $TSLA target raising wars have begun!

24665) 0.8585) 2x daily goal on $TSLA and still holding some for who knows when. Gotta love @CarlosmBBT's levels. Makes life to easy when you have to drop your kids off at school before open. Hope everyone is staying green!! #BBTFamily #stocks #DayTrading  https://t.co/wPhXVNiYK0

24666) 0.8402) $TSLAQ Jordy’s reaction captured in real time 😂🤣😂  $TSLA 🤟  https://t.co/yvx9RCGzQw

24667) 0.6369) Best to wear a helmet during $TSLA unintended acceleration events 🥴🤡 $TSLAQ 🤡🥴  https://t.co/HCEWUwCWfK

24668) 0.3971) It’s hard to tell the difference between @elonmusk’s rockets and the $TSLA share price these days!! We have liftoff! #Tesla  https://t.co/w43MJsYddT

24669) 0.1796) If $TSLAQ could file some more fake petitions against #Tesla, that would be great.  $TSLA 🚀  https://t.co/7FhfsYiEDC

24670) 0.7149) Okay so $TSLA $TSLAQ folk please help a pickle out. How in god’s green earth do you confuse the Gas pedal for the brake pedal??? Did Tesla owners never how to drive?

24671) 0.3612) Looks like NHTSA reviewed the petition from the short seller then bought $TSLA  https://t.co/96D59SQlu9

24672) 0.7603) Posted before my vacation in Tulum, and now on my way back home. Just how I like it :D $TSLA  https://t.co/NpteDvBvFz

24673) 0.5707) $TSLA in a nut shell:  @NHTSAgov “There is a petition to investigate over 500 well documented cases of SUA events” Share price: -$0.75 cents  @Tesla “um no there isn’t, this is short seller trying to prevent us from saving the world. Short &amp; distort!” Share price: +$29.50 $TSLAQ

24674) 0.7088) Tesla stock is soaring again after a great @elonmusk podcast with  @thirdrowtesla  @Gfilche and @Sofiaan - $600 seems within reach as it becomes clear Tesla has no competition! $tsla

24675) 0.296) @TheSmokingTire Look, let's get real. Fraud works. It's a successful business model for $TSLA. Today's share price action is all the proof you need.

24676) 0.8398) Short squeeze continues! 😂😂😂  $TSLA #Tesla  https://t.co/NO6NfVdFj0

24677) 0.1027) There is nothing @elonmusk won't lie about. He was not a founder of Tesla Motors, $TSLA cars often accelerate uncontrollably, Autopilot is junk, FSD is vaporware, SolarCity was a bailout, solar roofs don't exist, and he is a the greatest huckster of our time. $TSLAQ  https://t.co/2HL6Yv89ev

24678) 0.5093) 1) We increased our $TSLA price target to $800 today. Worth noting, though, our initial target of $530 was set in 2018, so 2 years down the line, compounded 20% p.a., $800 is the right place to be. Not much has changed in our conviction!

24679) 0.34) if you sell $TSLA, just go ahead and unfollow me pls. tnx.

24680) 0.296) Battery tech with advanced software is the new frontier. Tesla boldly goes there, ICE dinosaurs? All lost in translation. $tsla. 2020 is the year of Tesla

24681) 0.0644) ‘ELECTRIFIED ARMAGEDDON’: @Tesla Created Demand For Electric Vehicles, But Only For #Tesla ‘EVs on the market with swell almost sevenfold to 121 models in the next half decade, from just 18 now’ $TSLA @LMCAutomotive @jwschust  https://t.co/qqyGqKrk1L via @business

24682) 0.6124) "Whatever the reason he has for making the petition, there is indeed a high number of people complaining about the issue, most of them after braking. If approved, a formal investigation would help shed light on what is happening with all these people."  $TSLA

24683) 0.25) $TSLA New Street Research raises its price target on Buy-rated Tesla (NASDAQ:TSLA) to $800 from $530.  The firm says its bullish 2025 perspective on Tesla is now advanced by two years and more tangible after recent developments with the EV automaker.

24684) 0.743) This is certainly a major part of the problem for legacy auto. Consumers who want to switch to EV want a Tesla, just like the move to iPhone from Blackberry. Tesla tech is flat out superior. $TSLA  https://t.co/pS9VbJDuRB

24685) 0.7424) Projection from 473 pivot low is playing out nicely! Congrats if entered long with me, i am looking for a move to 581 into ER. +12 in the premarket $TSLA  https://t.co/vuBbeLb31T

24686) 0.4005) A short seller complains about $TSLA stock’s “unintended acceleration”- he would really like to have this addressed.    “It’s like the brake pedal on this stock is broken”

24687) 0.6103) Good morning $TSLAQ. ☀️   $TSLA price target raised to $800 at New Street Research!  Faces getting ripped off bright and early!🔥  #Tesla  https://t.co/lGn65uqcpA

24688) 0.7875) Despite an initial dip $TSLA is showing a very healthy 2% gain in pre-markets and rising, hitting $520! #Tesla

24689) 0.4215) Not that sell side ratings mean anything, but how can Tony remain "market perform" on $TSLA when his price target is 36% below the current share price?  https://t.co/izK3U9Vl1m

24690) 0.4329) Anyone else still thinking about $30MM CapEx / 50,000 p.a CyberTrucks?  What if $Tsla built cyber factories globally for 500K cars / yr each?   CHEAP CapEx (1/7) changes EVERYTHING??  Who wouldn’t want a virtually indestructible, cheap, million mile CyberRoboTaxi?  @elonmusk?

24691) 0.3313) Gooood Morning $TSLAQ  Do I have anything witty or clever to say to you this morning?   Nope.  I just got my first coffee.   But for now....  F*CK YOU.   How's that?     $TSLA  @BTSparks @MelaynaVileBitch @KeubikoLiar @TeslachartsFraudster

24692) 0.636) Fresh Elon Musk interview (part 1) is up! 🥳 $TSLA

24693) 0.8807) Some thoughts on the advantages of $TSLA's Maxwell dry electrode tech: 1) I guess a key benefit of Maxwell’s technology is to allow for a thicker cathode layer and hence a higher active materials volume ratio &amp; higher cell energy densities (even with existing cathode chemistry).

24694) 0.2732) @SteveHamel16 “The only EVs that are sell­ing well are from Tesla,” said Sub­aru’s To­momi Naka­mura at a brief­ing for jour­nal­ists.    https://t.co/X9QnDYBXNH  $tsla

24695) 0.5106) Short sellers are free to file NHTSA petitions without consequence   $TSLA  https://t.co/hU3Sxx5Skg

24696) 0.7163) Third Row Tesla Podcast – Elon's Story – Part 1 🏣⚡️🚀  https://t.co/WVKhSbclPf $TSLA #Tesla #SpaceX #ElonMusk 👉 Awesome!!!  https://t.co/NTsLGpaQOO

24697) 0.875) Is #Tesla Winner Take All? When celebrities like George Clooney, Demi Moore, and Simon Crowell want to show the world they are passionate about sustainability and the environment there’s only one auto brand that they would consider.  $TSLA $TSLAQ    https://t.co/przu8N5Pub

24698) 0.34) (We should) "Make it easier to get rid of laws than to put them in."  What laws are currently bothering him?  There don't seem to be any - drugs, libel, sex, securities laws, theft, insider trading...   $TSLA

24699) 0.8011) Grand Prize for this year’s annual dinner at this company in China 🇨🇳.  China Made Tesla Model 3!  I want to work for this company!  #Tesla #TeslaChina #MIC #GF3 #ChinaMade #特斯拉 #中国 $TSLA  https://t.co/RccQJhTJeo

24700) 0.8658) Nobody, including @SEC_Enforcement, can have any doubt about @btsparks  intentions. This has nothing to do with caring about safety, and everything with caring about his short position. SEC should set an example and show it cares about $TSLA shareholders.

24701) 0.9349) Name me a CEO who would invite fans &amp; owners around to his home on his day off &amp; spend hours having an open &amp; friendly chat with them? That’s a CEO who cares, &amp; that care is perfectly reflected in the products his companies produce.    https://t.co/JCUNw7sgyZ  #Tesla $TSLA  https://t.co/xFrR2K6agN

24702) 0.4215) After some serious editing by lawyers, we are proud to announce that the "Third Row" $TSLA podcast episode featuring Elon "Child-Rapist" Musk is now out.   https://t.co/RRjhWMlQFr

24703) 0.4404) New @thirdrowtesla Podcast featuring @elonmusk - Elon’s Story Part 1 Not many people seem to know a lot about Elon as a person, what led to him putting everything on the line to build @SpaceX &amp; @Tesla and why he continues pushing for a better future. $TSLA  https://t.co/GPxAijOK0I

24704) 0.0772) The behavior of $TSLA cultists while the share price is above $500 shows that this is a sick, demented cult.  In a few years we could play a guessing game called "$500 or $50" based on the content of a tweet.  You can't tell the difference.

24705) 0.3612) Looks like Unintended acceleration to me $tsla $tslaq

24706) 0.5789) One example of Sudden Unexpected Acceleration where the  owner admits they made a mistake, but at the same time shows how easy it is to do inadvertently. #Tesla needs to get this figured out immediately.   $TSLA #TeslaSUA  https://t.co/Eft3SZ4aT4

24707) 0.7579) More than 400,000 #German jobs at risk in switch to #electric cars - Germans will always be great engineers - they should channel those skills toward solving our most pressing #fossil fuel problems #tesla $tsla and we all win ⁦@GerberKawasaki⁩   https://t.co/thM7jzHj28

24708) 0.9595) @tomi To be clear, I hope @Savolainen_J received a munificent settlement. He did splendid work trying to secure justice for many others whose $TSLA Model 3s came with sub-standard paint jobs. My *only* heartburn is that he is now cheerleading for Tesla. I hope that wasn't a deal term.

24709) 0.1531) $TSLA - The Private Jet convention in Davos will brainstorm the mystery of Global Warming after their fossil fueled limo ride from the airport.

24710) 0.3612) $TSLA to longs that say “I’m not selling “ You won’t have too, just ask all the investors in DMC motors. When it’s ZERO you don’t have to worry about selling. 😂😂😂😂🔥🔥🔥

24711) 0.2263) H/T to @orthereaboot for reminding me that $TSLA settled a class action lawsuit on SUA just over a year ago. Why settle if the statement put out today is true? $TSLAQ  https://t.co/tOyldXbfx5

24712) 0.3612) $TSLA never settles when it knows it is in the right. Like about this "completely false" SUA stuff, right?  https://t.co/UGRQ7mFGbY

24713) 0.4404) Issue a recall.  That's funny. $tsla $tslaq

24714) 0.0516) Tesla would have been better off ignoring this. This was a miscalculation to respond to this. $TSLA $TSLAQ

24715) 0.296) This guy put 3/4 of his retirement savings into Tesla last summer, then tattooed $TSLA's trademark T on his arm. Shares have more than doubled since: "Nothing goes this right, this often. I assumed I was living in a simulation."  by @GunjanJS @JAVerlaine  https://t.co/466etSPmgS

24716) 0.212) Bummer bro, know you aren't alone on that. Hopefully Elon sees your Tweet and makes things right.  #TeamElon $TSLA #TeslaServiceIssues

24717) 0.1027) "Car and Driver has reached out to Tesla for further clarification on what information its investigations may have yielded."  $TSLA

24718) 0.8402) Love this. Amazing. Tesla is the only EV company using a real screen. Still. #tesla $tsla   https://t.co/YUeoIm7L2x

24719) 0.6892) Great Job Mr. Sparks! You made the SF Paper!  $TSLA $TSLAQ

24720) 0.3612) It's winter, time to get out your milk bags....this is what luxury looks like people.   $TSLA  https://t.co/jGry45L1gB

24721) 0.6956) Yes, the SUA petition is far from conclusive; it couldn't possibly be, as $tsla has the data. But does it deserve a careful look from NHTSA? And has Tesla done much to call into question the veracity of its claims? More fine reporting here from Mr. Ruffo.  https://t.co/ciTNWjAFXB

24722) 0.6697) More positive news this wknd: Strong China demand. Model Y deliveries. No “unintended acceleration” in $TSLA vehicles. Eps 1/29   Other articles in @data168 feed.

24723) 0.3182) $TSLAQ bears running around filing petitions and screaming Tesla needs one-time tricks to be profitable  $TSLA bulls googling the most obscure accounting topics ever known to mankind to see if Tesla has a shot at a B  and I'm over here like...  https://t.co/p7VuiVG0qK

24724) 0.7506) @AfMusk @russ1mitchell And he keeps“accidentally” blocking innocent $TSLA bulls, and I am the latest victim 😂😂😂  https://t.co/hxIAI9kjeB

24725) 0.4574) Disinformation Campaign Secured!  $TSLA

24726) 0.5106) @Tesla According to a $tsla long-holder, in the bag for the company.  Can’t trust anyone with a financial stake, I am informed.

24727) 0.4588) Everybody's favorite "organic" $TSLA channel "Now You Know" has just released (12 mins ago) a video on SUA.  Completely by coincidence.  https://t.co/GiTalfhtxB

24728) 0.8053) Why does Tesla need to "find lenders" when its supposedly free cash flow positive and had ~$5 bln in cash on 9/30?  Convert Deal coming post Q4 results?  $TSLA

24729) 0.34) As $tsla stock soars past $500, analysts say @Tesla will easily find lenders to meet cash needs. More on this now @LizClaman @FoxBusiness

24730) 0.4782) Who were these FUDsters then? Any follower of mine probably knows I covered @markbspiegel the most. That's because he's been the most vocal $TSLA short seller for years. But don't you worry, in 2020 I will be covering more of the rising stars from $TSLAQ community.😉  https://t.co/x7uEYJ1lRR

24731) 0.598) Strictly speaking, Tesla has no data on what the drivers did. At best, all they have are the inputs from the sensors. At best. It's not like they have a camera pointed at driver's feet. A big difference &amp; a lie, hence "Tesla Team" w/ no name attached to it.  $TSLA $TSLAQ

24732) 0.1531) "Tesla Inc said on Monday there is no unintended acceleration in its vehicles, responding to a petition to the NHTSA to recall 500,000 of the electric company's cars over the alleged safety breach."  $TSLA $TSLAQ Tesla says...  https://t.co/V17ZJBBwhQ

24733) 0.128) In 2017 ABC did a story about BMW fires. It wasn’t until 2019 that NHTSA finally launched an investigation   How did a #Tesla short seller pull off a NHTSA investigation so quickly? $TSLA   https://t.co/TTkckzfwcj

24734) 0.362) Please, @GunjanJS and @JAVerlaine, can you explain how you missed at least $123 million of net $TSLA sales activity by ARK? Or if you didn't miss it, how that got omitted from your story? Did you speak with anyone internally first? @CGrantWSJ perhaps? Editors? Anyone?

24735) 0.8353) Never used #Tesla referral as have unlimited supercharging. However, on my bucket list is that I simply MUST attend $TSLA event (&amp; rocket launch) so need refs! If you’re buying a Tesla &amp; wish to use mine for a free 1000m/1500km charging please go ahead! 🙏  https://t.co/1Nd1hLbOC9

24736) 0.5086) $tsla designs its systems  to cover up its flaws. A frequent @tesla retort: “autopilot was not snagged at time of crash”.  Today’s tautology: Tesla do not Unintentionally Accelerate.  No one should take these claims at face value.

24737) 0.5386) Reading @traderstewie blog for the 100th time and the below quote reminds me of $TSLA! Wow!!   “Never underestimate the power of a momentum move. Up or Down. Once the freight train is in motion, it will keep going much further than most have anticipated”

24738) 0.3818) US sales were down in '19 vs '18 despite '18  only having 2 quarters of m3 sales.  Hyper growth indeed. $tsla

24739) 0.875) Watching tens of thousands of people all of a sudden want to read about deferred tax assets is... entertaining 😂🤣  $TSLA #NotSellingAShareBefore5000

24740) 0.4019) This is interesting...  $TSLA #NotSellingAShareBefore5000   https://t.co/uZVRe6eRZk

24741) 0.34) The Investor Clash Behind Tesla’s Surge Toward $100 Billion in Market Value | WSJ  $TSLA ⁦@Tesla⁩ ⁦@elonmusk⁩   https://t.co/sQ4nNDMeqh

24742) 0.4215) The $TSLAQ FUDsters havent had much material lately, so I'm donating this pic of a firetruck waiting for my car's battery to explode at a supercharger $TSLA   yw  https://t.co/xdN059K5Qd

24743) 0.6369) China-Made Tesla Model 3 quality✨  A picture better than thousand words  $TSLA #Tesla #China #MIC #Model3  https://t.co/nWBDuIufqQ

24744) 0.3818) @russ1mitchell (2) Here’s the disclosure from the 3Q 2019 10-Q. Clear as mud. $TSLA  https://t.co/BvS8TJ1Oqy

24745) 0.3182) Tesla's cash OpEx (excl. SBC) may increase only slightly in 2020, as the referral program redemptions wind down &amp; R&amp;D expense shifts from FSD, Model Y, Plaid, Semi, Solar Roof, and Giga v1 in 2019 to FSD, Roadster, Cybertruck, and Giga v2 in 2020.  $TSLA #NotSellingAShareBefore1T

24746) 0.4767) Good News, the driver of the Model X survived the accident and was able to walk away from the scene.   The Model X appears to have been a fleet vehicle for some entity called "Tesla Transportation Florida"  $TSLA

24747) 0.296) If I owed a dollar to @thirdrowtesla for every new recent follower... I’ll owe that intern a share of $TSLA soon.  https://t.co/zN5BnPEP9D

24748) 0.8774) Good Morning!!  Just a reminder there is still one more day to bid on this one of a kind hand drawn chart of $TSLA.  Current bid $1500

24749) 0.6369) Having my best day in ages on my $TSLA short.

24750) 0.9477) Well, full year 2019 China new car sales are finally out. Enjoy this lovingly crafted bespoke Excel chart.  There was a pretty big slowdown in BEV sales over the past 4 months... 🤔 almost as though Chinese buyers were waiting to purchase a BEV that wasn't available yet...  $TSLA  https://t.co/bIRAhmDRle

24751) 0.4588) $tsla up in European markets.  😎  https://t.co/3pjsXHld6f

24752) 0.7488) Still can’t believe this.   Tesla’s set up costs (CapEx) for making the #CyberTruck are expected to be ~1/seventh that of a traditional #Pickup 1/7!!!  No painting or stamping makes a phenomenal difference.  SpaceX’s steel innovation for the Starship is awesome 👏   $Tsla $tslaq

24753) 0.4939) There is a lesson in there for a bratty teenage $TSLA fanboi whose name I won’t mention 👇🤭

24754) 0.7421) $TSLA Model 3 SR+ price is +$0.5k, LR AWD -$0.5k &amp; FSD +$2k vs mid Apr-19, despite $3.75k lower EV incentive. Prices are up $1k from the start of 4Q19. In 1Q19 prices were cut straight after credit change at start of Jan, in 3Q19 prices were cut 16 days after EV credit step down.

24755) 0.6341) Amazing to see the EV revolution hitting Spain! Plans for around 35,000 new charging points over the next couple of years, and EV sales are growing exponentially, lead by #Tesla! Spain was a market that traditionally lagged behind, the Model 3 changed everything! 👊 $TSLA

24756) 0.6124) 2019 - #Tesla short sellers are sure the #ModelY is vaporware   2020 - #Tesla short sellers wish the #ModelY was vaporware   $TSLA  https://t.co/yit8Up28YA

24757) 0.5859) Brilliant idea 💡  Think of how many visitors per day from different states to Honolulu, Hawaii 😉😉  $TSLA #Tesla  https://t.co/CfR38ho1F1

24758) 0.4708) #ExplainBABYCharts #FraudWatch day 354  Yo #BABYcharts, how many Model 3s per week would that be? Over 6,000? 🙂  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/7udGLwxhXK

24759) 0.5994) Final Nov. METI Li-ion battery data are out.  As expected, production down, sale flat, inventory up.  Interesting that sales have been stable since Aug. Was it a part of the modified deal b/w Tesla &amp; Pana?  $TSLA $TSLAQ  https://t.co/BluPDllCTz

24760) 0.7003) @teslastudio_ @TeslaTested @thirdrowtesla @elonmusk @tesletter @SavedTesla Yeah some people still laugh at me when I say I’m a $TSLA investor and future owner...

24761) 0.2263) @Seth_Horwitz @JordanWells33 @nntaleb @Savolainen_J Yes, I understand the decision to take the money and run. What is less comprehensible, and indeed sad, is the decision to turn $tsla fan boy again.

24762) 0.6956) @montana_skeptic @nntaleb @Savolainen_J Did not know that about @Savolainen_J but I see his timeline now. Fascinating. $TSLA $TSLAQ

24763) 0.68) FinTwit's greatest use is as a 'contra-indicator':  Exhibit A: The big 'ironic' accounts &amp; trader bros all had $TSLA as THE short to put on, ha! $TSLAQ  Exhibit B:  Any small/micro cap ticker that shows up all over your timeline is pretty much guaranteed to be a pump n' dump.

24764) 0.8225) 1/4 $TSLA Model Y is rumored to start deliveries soon after $TSLAQ Q1 report.  There is much anticipation that it will sell great.  In the remote chance that it does sell well, instead of in addition to, expect it to sell as a substitute for the 3 or the X.

24765) 0.8357) $TSLA  "One neat feature on the Tesla Model 3 is its ability to park itself. However, as these tests show, the car doesn't always do a very good job at parking. In fact, it seems the Tesla fails to correctly park more often than it succeeds at the task."   https://t.co/2toQw8u9sq

24766) 0.8611) No demand... No demand....right?😂  Chinese consumers like:  High Tech products           + Good deals           + Domestic (China) made goodies   = Made in China Tesla Model 3  $TSLA #Tesla #China #MIC #Model3

24767) 0.54) Shanghai $TSLA Jingan store check Sunday: red &amp;black delivery time June; the other three colors delivery time end of April. Saving rmb 80k plate fee makes a rmb &lt;300k car even more attractive! People mountain people sea.  https://t.co/tqEKQCavVC

24768) 0.3818) So Tesla is now building a $45 million factory in Germany?   "Germans are slamming Elon Musk's plans to clear 740 acres of forest for a $45.6 million Tesla factory"  $TSLA @Tesla   https://t.co/KZUHEFOYyO

24769) 0.7184) “@Tesla’s board of directors approved a purchase agreement with the state of Brandenburg on Saturday to acquire a 300-hectare property, government spokesman Florian Engels said in a statement.” 🏣🔋🇩🇪  https://t.co/a69mZ2Hs3V $TSLA #Gigafactory4 #EV

24770) 0.4199) Thank you Mr. Diess!   https://t.co/BF7x1gLPN5  $TSLA $TSLAQ  https://t.co/HjkAZL28o5

24771) 0.1027) Los Angeles $TSLA Tesla #Autopilot assholes love making videos with little regard to other drivers.  @SenMarkey @NHTSAgov  #TheSociopathicBusinessModel #FraudFormula  https://t.co/b4aYRn2DP0

24772) 0.5423) $TSLA Q4 ER, scheduled for 1/29, is expected to report net profit of 1.72. Q4 2018 earning was 1.93 reported on 1/31. All other Q4 earnings w/ losses in prior yrs were scheduled for a later date in Feb. Seems to be a pattern “bad” ER always comes on a later date. Strong Q4 ER?  https://t.co/zIfOLLxOXp

24773) 0.2472) “So this article joins Dirty Tesla’s effort to make this clear: Autopilot will probably not stop for service vehicles parked in lanes of traffic.”   $TSLA   https://t.co/DEE5zsfsT5

24774) 0.9733) Made in China 🇨🇳 Tesla Model 3 has   No Demand?  No Demand?  No Demand?  No Demand?  No Demand?  No Demand?  No Demand?  No Demand?  No Demand?  No Demand?  No Demand?  No Demand?  No Demand?  No......Oooops   Again flooded the Chinese DMV‼️  $TSLA #Tesla #China #MIC #Model3  https://t.co/olW38nW2qq

24775) 0.4871) Nice work, @PwCUS. Does this reflect how you audit client accounts currently? Clients such as $TSLA, for example?  https://t.co/3YFrJ4Sd4B

24776) 0.4019) ⚠️Breaking: ⚠️  Tesla Approves Gigafactory 4's Land Purchase Contract  $TSLA #Tesla #GF4 #Germany    https://t.co/rKIVjn1Bth

24777) 0.2023) I think @SEC_Enforcement understands an investigation is needed, and that it is not #Tesla that will be the target. After all they should look after the interest of us $TSLA shareholders and that it is their job to investigate stock manipulation by $TSLAQ

24778) 0.7184) "Tesla's BoD approved a purchase agreement with the state of Brandenburg on Saturday to acquire a 300-hectare property, Brandenburg government spokesman Florian Engels said in a statement."  $TSLA $TSLAQ  https://t.co/1x9mCyolTl

24779) 0.4404) Another good thread by @ReflexFunds  tl;dr $TSLA may be included in the S&amp;P 500 index sooner than Q2'20 due to its conservative accounting in the previous periods #NotSellingAShareBefore5000

24780) 0.4019) Interesting &amp; seldom-made point. It makes sense to me, though not in my ZOE. Do others have a view? $tsla

24781) 0.4019) $tsla #Tesla Tesla is sold out for Q1 which means 12 weeks x 3000 = 36K. That’s 1500% growth YoY.  Is it possible? I remember Elon said GF3 could reach 5000 cars per week.   “reached a production capacity of more than 3,000 vehicles per week”  https://t.co/K9UVV8DbmZ

24782) 0.8964) My purple “Tesla” 😇 (you can see the legit logo) next to some of the crew from the watch today. Stopped to grab a better shot where the kids were eating, the lighting at the beach lot wasn’t so good. On my way West to meet a buddy. Nice to meet everybody! $tsla #spacex #falcon9  https://t.co/ts6vSxX7No

24783) 0.7645) Looks like we were all wrong about them reporting only $1b in profit in q4. Looks like it'll be more like $3b $tsla $tslaq

24784) 0.8968) Could $TSLA book a one off up to $2bn deferred tax profit in Q419, achieve FY profitability &amp; S&amp;P 500 eligibility? I put this at low odds, but I believe it is possible. Thanks to The Accountant for flagging this in his excellent post -  https://t.co/e4OhYSz0oQ Thread continued: -

24785) 0.8941) @russ1mitchell Someone please remind @bonnienorman that I still await an answer from her about her role in my doxxing. Also, would appreciate the truth about her ties with $TSLA. TIA

24786) 0.8555) Great to see @russ1mitchell's thoughtful, balanced, &amp; deeply-researched long-read on EV adoption get Page 1 Biz Section treatment in the big Sunday @latimes. Must-read for those interested in $tsla, EVs in general, &amp; gov't policy-making.  https://t.co/7IKpBe6wkl

24787) 0.4588) Tesla's pace of improvement as a manufacturer is deeply underappreciated by all observers:  🇺🇸 Roadster ramp: 3yrs 🇺🇸 Model S ramp: 2yrs 🇺🇸 Model X ramp: 1.5yr 🇺🇸 Model 3 ramp: 1.0yr 🇨🇳 Model 3 ramp: ~6m 🇺🇸 Model Y ramp: ~6m 🇨🇳 Model Y ramp: ~6m  $TSLA #NotSellingAShareBefore5000

24788) 0.4404) If you think this Model Y, will sell better than the Mach E, you’re either a full on $TSLA cultist or a full on $TSLA cultist.  https://t.co/CjSPBLziSk

24789) 0.8402) I was surprised many still dont know the #tesla Model X exclusive 'dancing' feature. My second fav feature after self presenting doors. Meets the happiness criteria.  Another @elonmusk brainchild.  $tsla  https://t.co/7C1J0EttCW

24790) 0.8074) 🇺🇸 Tesla will sell 95% of EVs in 2020  ... while analysts debate whether its market share will be 17 or 18 percent... 😂🤣😜  $TSLA #NotSellingAShareBefore5000

24791) 0.2732) ⚠️Important China 🇨🇳 Data⚠️  From Jan-Nov 2019, total imported vehicles are 984K units, YoY decreased 4.1%  Tesla increased 218.7%  $TSLA #Tesla #China

24792) 0.2675) I'm told Shanghai is in full production and they are 'sold out' for Q1. I'm also told demand for $TSLA is unlimited. By my math, (90+350+150)/4 = 147,500 deliveries per quarter. At $500 per share, why isn't the street expecting this number in Q1? $TSLAQ  https://t.co/lBWBOYTP5D

24793) 0.5267) $TSLAQ kept saying @elonmusk is not scientist or an engineer or a visionary he is just a con man. Then Royal society did a classic burn by adding him as a fellow of royal society. $TSLA.  https://t.co/OpQRPJEnQb

24794) 0.4019) Is anyone actually interested in learning how to root their cars and what you can do once you've rooted your car?  $TSLA

24795) 0.4939) Check out what I wrote for my friend @WadeAndersonPT's blog @TeslasocialC   Hint: it's about some trees that have been on this planet for millions of years. $tsla #CleanEnergyWillWin   https://t.co/CGPj5saL5i  https://t.co/CEhcaUmNiL

24796) 0.3716) A reminder that Russ wrote a love song to $TSLAQ in April 2019 about their “research” and skillful data collection.   $TSLA is up $242 a share since that article. The swarm lost billions. Russ is right. We can’t predict the future but we can review the past for lessons.  https://t.co/T9pPJcSjzn

24797) 0.6526) 🤯🤯  If...no...WHEN Elon builds this VTOL aircraft (disrupting the entire long-haul jet industry just like with cars) &amp; it carries a Tesla badge, what would the impact be on the $TSLA SP?🧐🤔  🔸$555? 🔸$1,000? 🔸Cathie Woods' $6,000?                         or 🔸GO NORTH!! ⬆️🆙

24798) 0.7003) Things we know thus far about the $tsla er/cc coming up on the 29th:  - about a billion of profit on q4, since they were profitable for the year - model y deliveries starting immediately  Buy your $840 calls  $tslaq

24799) 0.4404) Dear $TSLA bulls, I want you to think 🤔 how will you feel when it’s trading  $250 and you could have sold at $500+, just imagine it drops to $400,$300,$200 or less how will you feel? #SELL #SHORT #TESLA  https://t.co/hOalkmFweO

24800) 0.128) Leaked tweet 🙄 First Model Y deliveries right after Tesla Annual Report, lol $tsla $tslaq #Tesla  https://t.co/FKX0oDFyAh

24801) 0.3818) @russ1mitchell Which ever way you slice it, they make a lot of marginal money on every incremental car they sell, even at discount. Their cost structure is very different from OEMs who outsource high tech components. This suites $TSLA s fast paced innovation culture. Tesla is the next Toyota.

24802) 0.4574) Tesla Model 3 warms up interior in just 5 mins at -34°C using mobile app (video) ❄️🌡♨️  https://t.co/cJ3Yk274JK @elonmusk @Tesla $TSLA #EV Solid winter tip! ⬇️ (works in S, X, 3 – confirmed)  https://t.co/DBXOs9kwAo

24803) 0.4019) Interesting how people assume that tweets are coming from a guy  I learned a long time ago not to assume the sex of a tweeter   CC: @ValueAnalyst1  $TSLA

24804) 0.6705) Such a clever genius this Musk. Reminds me a lot of how I’d always offer to help w the dishes after I was sure they were done.  I know, stupid kid. Who would have known my subterfuge was worth billions? $tsla

24805) 0.296) Saving it up to take out $tsla at $700 share after they report earnings

24806) 0.8313) Really amazing how Adam Jonas can keep straight face while sharing his predictions with MS clients and on national TV.  The guy has proven record of underestimating $TSLA deliveries by multiples and stock price by order of magnitude. Remember “restructuring story” and $10 PT?

24807) 0.128) #Tesla will report Q4 earnings on 1/29. If Elon officially announces #ModelY delivery date, $TSLA would be on🔥 again. Getting really pumped up now. Thanks @moez for the tip👇👇👇

24808) 0.7845) Speaking of @tedstein's  https://t.co/LtRzzm5B6L, the first item there now is just SO quintessentially Muskian:  1) Pick a current event of great concern, with a high potential for press and SEO hijacking. 2) Promise "help" that he has no resources to deliver on. $tslaQ $TSLA  https://t.co/DCQvE715KW

24809) 0.6808) @EricMandela True. Just that my wife probably started to question in her mind if my investment thesis was sound. Glad that $TSLA bounced back.😂  I found $TSLA to be a good buy at ~$300, At ~$180, it was a steal. There was no way anything or anybody could've affected my investment decision.

24810) 0.8013) Porsche 911 Carrera S wins against Model 3 Performance. ICE remains superior, despite lower HP and torque.  Not that it would make drag races any less nonsensical...  $TSLA $TSLAQ  https://t.co/U9QRunlsEo  https://t.co/3LRaRK4voI

24811) 0.3058) And now again, gaze below, is it exponential? No! Linear! This time at about 110k units/ year. Did I want it this way? No. Bosses. Will it be right, sort of, for one year, and not longer. $TSLA  https://t.co/87TC8mFMkH

24812) 0.714) All hardcore $tsla fans have been rewarded with the stock above $500.  Not investment advice but I'd say it's better to be WITH @elonmusk than betting against him.  *Tweeted at milepost 500. On way to milepost 6000. @ValueAnalyst1

24813) 0.6249) Tesla Gigafactory 4 🇩🇪 Supporters Hold Demonstration to Show Their Support Amid Anti-GF4 Protests  $TSLA #Tesla #Germany #GF4    https://t.co/JNQi5Fq8NR

24814) 0.34) I was trying to think of the craziest thing I could write about The Week in $TSLA and this is what I came up with: If you give your credit card numbers to this $92B public company to buy so much as a baseball cap, you deserve whatever happens next. $tslaQ

24815) 0.5472) Hey @jack . . . is this what @elonmusk asked you to do, silence a Tesla Customer!    Interesting, What is the reason for the @shadowban_eu “Reply Deboosting Detected” @Twitter @TwitterSupport ???  $TSLA $TSLAQ #Tesla #TeslaSolar @TwitterComms  https://t.co/GPaDHL4PhY

24816) 0.6249) Great Headline.  $TSLA   https://t.co/uyxu3jmfrL

24817) 0.228) $TSLA  For only 3k and a one year wait, model Y customers will be able to carry two fully grown Cabbage Patch dolls in it's third row.  This has to be some kind of joke.  https://t.co/pnlG9NIBqK

24818) 0.9753) Adam Jonas' MS $TSLA forecast issued on February 1st 2016:  "Jonas said his team expects total unit deliveries of 246,000 by 2020, versus company expectations of 500,000." 😂😂😂😂😂😂😂😂😂  #Tesla @MorganStanley   https://t.co/CoI2YhcoaC

24819) 0.627) LOL! Just checked $TSLA's website &amp; this 3rd-row "seat" option costs $3,000 *and* won't be available until 2021 (!).  I hereby predict that the Model Y price in 2021 will be $30,000.  $TSLAQ  https://t.co/fPQkYUlSWD

24820) 0.9648) $TSLA Jan 2021 1000C only $10 😂😂😂  Anyone thinks this is a good leaps? 🤣🤣🤣

24821) 0.9229) It's incredible to read @elonmusk bio by Ashley.  Each and Every chapter has many teary eye moments. So much Blood and Sweat gone into building @tesla @SpaceX .   So proud to invest in these companies.  $tsla ♥️  I highly recommend to read the book if you are a Tesla fan.

24822) 0.2023) Should be fine. Tesla makes millions of cars and this is only a small batch, right?  :checks notes: Tesla has only deliverered 900,000 cars.   Oh, so over half their entire cars ever produced.🚨 $TSLA $TSLAQ

24823) 0.4939) Spotted more China Made Tesla Model 3 on the road. Busy week for Tesla China to deliver as many as they can before Spring Festival.  #Tesla #TeslaChina #MIC #Model3 #China #特斯拉 #中国 $TSLA  https://t.co/oYMfhP4v0h

24824) 0.5423) Buenos dias, $TSLA shawty. Gracias for the beachfront spa/resort trip. I needed this :)  https://t.co/aP9n7BcEO1

24825) 0.1027) From a wider angle, you can see better how ridiculous this is.  Yet, it has cupholders for the legless midgets that might eventually sit here. $tsla #modely  https://t.co/JN1S9zcYNi

24826) 0.2924) Follow this account! This next year of historical $TSLAQ tweets are going to be solid gold! #Tesla $TSLA

24827) 0.4835) 6) Given the start-up costs &amp; fixed cost burdens, China should probably lose $TSLA over $200m in Q1 ($1bn for the full-year, but still early days). This comes on top of cratering demand in the US--$TSLA's most profitable market--and the EU. Wonder if recent buyers realize this?

24828) 0.228) 5) A few days ago, there was total inaction at GF3, based on reports from observers. It amazes me that $TSLA can't even get "assembly" done properly, as over 70% of the MIC M3 is shipped in from Fremont. GF3 production has yet to start. Imagine what happens when it does.  https://t.co/vptNRNEJP2

24829) 0.25) 4) $TSLA's website in China indicates that if you order a Model 3 today, delivery will be some time in Q2 2020. Local fans are saying this is proof of "too much demand". To me, it whiffs of a production snag. Much like that of early 2018 in Fremont.  https://t.co/QzjwSgylUm

24830) 0.4404) 1) Excitement over $TSLA's growth in China has been the main factor fueling the stock's 22% rise YTD to a valuation close to VW's.    What if $TSLA's China deliveries in Q1 grew by 51% YoY but revenues only by 4%? Sounds bearish, but I kid you not, that's the best-case scenario.  https://t.co/kAkgvFBTCj

24831) 0.34) N.J. governor signs bill giving $5,000 rebates for EVs 🏛⚡️  https://t.co/hZsYkMklNv $TSLA #Tesla #EV #NJ

24832) 0.807) Saved the best for last!  $TSLA

24833) 0.4215) $TSLA unintended-acceleration claims get safety agency s attention  https://t.co/m34A1rDMIB via @LATimes

24834) 0.6908) #ExplainBABYCharts #FraudWatch day 352  Chin up #BABYcharts. Maybe someday you and PulieDumDum will block every single twitter user and you will get your wish of disappearing. Good luck.   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/mWAFWYGD8q

24835) 0.6369) Movie Pump: If you haven't seen Ford v Ferrari, you really should. It's the best drama I've seen in a long time. It isn't a car racing genre movie and it's emphatically not a "guy movie" - it has universal appeal. First movie I've seen twice in theaters since 1977. $tslaQ $TSLA  https://t.co/fZoHRxybHk

24836) 0.3612) I love how $TSLA fanboys in Shanghai interpret GF3's current production snag as "too much demand". No cars produced for 2 days now. Delivery pushed out to Q2 2020 if you order now. GF3 is only assembling M3s from Fremont. Wait till they start making them from scratch.  $TSLAQ  https://t.co/KbiiRw7FF2

24837) 0.6467) . @btsparks hard work is showing up everywhere. Great job on this!!   $TSLA    https://t.co/wJ2szGl9qR

24838) 0.5819) Just got my shares back that were borrowed from short sellers. They are covered in tears and wreak of hot pockets. Be more careful please. $TSLA  https://t.co/TlgDbT7gnK

24839) 0.6841) When Tesla’s new big casting machine is operational, #ModelY rear underbody will have 1 part instead of 70 parts joined together by robots.   HUGE benefits to production:  -faster -cheaper (less robots) -far less floor space  #TeslaInnovation $TSLA $tslaq  https://t.co/Al8oZZw0dX

24840) 0.8731) 9/ "Yes, sudden acceleration is real. A powerful engine kicks into gear without warning or reason. It crashes through a respected business, ruins the livelihood of hundreds of innocent dealers, and devalues the property of 100s of thousands of bewildered car owners"  $TSLA $TSLAQ

24841) 0.6808) 5/ if "Center for Auto Safety" (CAS) seems to ring a bell:  search $TSLAQ a few months back, google CAS and $TSLA, e.g.: Center for Auto Safety and Consumer Watchdog Request FTC Investigation into Deceptive Tesla “Autopilot”  https://t.co/uO7D22aFEc

24842) 0.2057) Other models are not at risk. $tsla  "It occurs in Model 3, Model S and Model X"  Tesla under investigation over claims three of their models can suddenly accelerate on their own  https://t.co/4NleXBVGRb

24843) 0.4753) $TSLA $520, $420, $320, $220, $120, $20 Cover! lol

24844) 0.2263) Okay, whose car is this?  $TSLA @SpaceX  @elonmusk  https://t.co/TWZn9vhOTp

24845) 0.4404) The $tsla beat goes on. Margins are even better when you charge twice.

24846) 0.4877) So is $tsla now the most expensive non profitable company in the world?

24847) 0.1779) Panasonic seems to have resolved the issue with $TSLA solar panels not being covered by warranty in some instances.  https://t.co/BZ69BHbrpe

24848) 0.7845) $TSLA Wherever I go, I saw Steve Cohen's beautifully timed trades these days. $TSLA👇🏿is just one of his not so small positions.  Maybe there is value to check his top buys just to see where the stock prices are and where he allocates his money each quarter after 13F filing.  https://t.co/JcX4PGD4IQ

24849) 0.5346) $TSLA SI % Float did increase a few days ago (19.83% to 20.10% on the 15th), but has been relatively stable recently.

24850) 0.296) "If the German car giant (VW) can’t beat Elon Musk’s electric-vehicle pioneer, maybe it should join them instead. Tesla is already closing in on Volkswagen’s market capitalization." | Barron's  😳😳😳😳😳  $TSLA  https://t.co/c0euPLfGxz+

24851) 0.5106) Hey competent journalists and other interested parties, take a look at this bot fighting thread from November, in which we stopped counting when we hit 400 of the critters. $tslaQ $TSLA #gaslighting  https://t.co/CBcSsQRULg

24852) 0.3182) It would take about an hour for any competent journalist to blow this apart. Not holding my breath. $tslaQ $TSLA

24853) 0.3818) Wow. I had no idea this was happening. You don't get much more blatant than this. Where is the oversight? $TSLA $TSLAQ

24854) 0.2732) 1/ Bulls cheer that you can order a #Tesla M3 in 🇪🇺 today and it only gets delivered in February. Bullish? Not much. Let me explain.  There have been no ships to Europe this Q yet. Last Q there have been 8, apparently w/ ~4,500 cars per ship.  $TSLA $TSLAQ

24855) 0.2235) @Hipster_Trader Not me. I suspect they were using the $TSLA autopilot software

24856) 0.4312) I want to wish everyone a very happy #TSLAQbagholder2020 January edition!! 🤘🥳  Look at all those sh*t puts expiring completely worthless. How much money did y’all loose #DumDums? Remember #ToiletBoy’s Jan 2020 $200 and $210 puts? Completely worthless.   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/lcddhMfTX2

24857) 0.5423) Just because #Tesla sells more cars each years, launches more products, the stock price goes up, and Tesla builds more factories doesn’t mean it’s a growth stock   (Said with a straight face by “analysts”) $TSLA  https://t.co/HhzvJdcWIZ

24858) 0.8689) Traded only $TSLA in the @BearBullTraders chat today, both sides. I pointed out a beautiful pennant forming yesterday, had another beauty today. Thurs it broke up, today down. Beautiful setup.  #DayTrading #trading #BBTfamily #stocks  https://t.co/ABq0woKcG3

24859) 0.4588) $TSLA now under the two day VWAP of 506.10. If this breaks 500 today long sellers will get motivated

24860) 0.5023) Generally discussion of "bots" is overblown when it comes to $TSLA. The majority of interactions involve real people. But those few automated accounts that have been involved all have appeared promoting Tesla on the long side.  https://t.co/aILZhmSTV6

24861) 0.4019) @russ1mitchell The reason $TSLA is disrupting OEMs go beyond EV tech.  Disruption is always about the value proposition.  OEMs won’t be saved by making EVs or adding screens or making software.  They need reinvent their entire organisational culture &amp; reinvent their business. @VW

24862) 0.8458) @ValueAnalyst1 @NHTSAgov Why doesn’t @SEC_Enforcement look into short &amp; distort schemes like these? $TSLA is the most shorted stock. This is the best case to pursue. Make an example so deters people in the future. It is so easy to spread disinformation via social media rapidly nowadays.

24863) 0.5775) Subsidies? Wut?? 🤭  $TSLA #NotTesla

24864) 0.1779) An overlooked $TSLA solar lawsuit from Oregon in late 2019. Given Elon Musk's claims about installation speed, it's interesting. Sheri Smith v. Tesla, Inc.:  https://t.co/NuW2xT9NX6  https://t.co/S7BvtLHKJK

24865) 0.2023) Dear financial media: next time you have a $TSLA analyst on your show, please hold them accountable to their wildly wrong forecasts in the past, and why we should listen to them now.  @carlquintanilla @jimcramer @andrewrsorkin @BeckyQuick @lisaabramowicz1 @DaveWilson13 @tomkeene

24866) 0.5106) Fun fact: Porsche Taycan outsold #Tesla Model S by 7:4 so far this year in the Netherlands🇳🇱  $TSLA $TSLAQ

24867) 0.7761) Cowards Master plan. But don't worry, #babycharts fraud will be exposed. $tsla  https://t.co/vA0zODa7yX

24868) 0.4404) Adam Jonas doing $TSLA price targets  😂🍿  https://t.co/XRWlhfEgz8

24869) 0.4939) So much this  Also, regular regen with hold function is your friend.  $TSLA 🥴🤡 $TSLAQ 🤡🥴

24870) 0.0772) IMO, Dec'19 is most representative of 2020 EV market share trends in the US because the supply of Teslas was limited in the country in early 2019 and also in early Q4'19.  In Dec'19, Tesla sold 89% of EVs in 🇺🇸  $TSLA #NotSellingAShareBefore5000  https://t.co/Ox31BDVd96

24871) 0.4588) $TSLA stock price vs Short Interest % of Float  https://t.co/B5nPKM31PP

24872) 0.4549) 😂 almost feels bad for the Tesla shorts. On the day a #Tesla NHTSA investigation is announced $TSLA is still comfortable above $500.  https://t.co/Knx9qtV9Nt

24873) 0.9578) @GerberKawasaki Wow... congrats on your success allowing for the upgrade to a 2.5 star rusted out resort.  I’m super impressed $tsla

24874) 0.4201) very eager to see the $TSLA 13Fs in Feb

24875) 0.7384) By popular request, I charted $TSLA crash safety this morning.  It is world-class, but not easy to conceptualize simply by reading the quarterly reports.  How much safer is a Tesla vs. the average U.S. vehicle?  Far safer, especially if using Autopilot.  https://t.co/6T01Lxaqv8

24876) 0.6996) Want a MIC #Model3? Well, you’ll have to wait a bit, looks like they’re sold-out already for Q1!  Can’t blame the ships this time either 😈  $TSLA $TSLAQ  https://t.co/xZCkEpKWky

24877) 0.4404) $TSLA price target upgrade to $600 from Jefferies.  My guess on the history is that the assigned analyst was changed a couple of times 😂   https://t.co/33YMBB9J8k  https://t.co/rcyNuVEufE

24878) 0.8221) FT refers to the $2000 high end of our 2025-2027 $TSLA valuation range. Exciting! @Tesla soaring share price defies easy explanation  https://t.co/jccCWTyFQv

24879) 0.5443) $TSLA positive in pre-markets, holding up very well the last couple of days despite record short interest 👍

24880) 0.9548) So pleased to see the progress on EVs in Spain! A little village near me (population 7000) has installed free type 2 charging! My nearest Superchargers are 1.5hrs in each direction so this is great and will make EVs more attractive to people in more remote areas. $TSLA #Tesla  https://t.co/c6ZfnNHvg6

24881) 0.5789) What $TSLA &amp; its fans are in denial about: Hybrid vehicles are the biggest threat to $TSLA's growth. Not only in the US but especially in China &amp; Europe.   Great thread by @ParadiseTrader3 on just how big the market is in the US alone.

24882) 0.6124) This gorgeous 7-passenger Ford Explorer PHEV with 444 hp, 620 lb-ft torque, 25-mile electric range &amp; 2500 kg towing went on sale in Europe last month and media didn't notice? Model Y is a frog next to this. $TSLAQ $TSLA @teslacharts @markbspiegel  https://t.co/XqhORpNExd  https://t.co/5N1CfhR6vn

24883) 0.7906) Long story short, waited FOREVER for $TSLA to finally set up for the monster swing on wed afternoon. Loaded up the BOAT on 515, 510, 500 &amp; 495 puts, and got rewarded for my patience with the downgrade gap down thurs AM, and a win I probably wont match again for at least a year

24884) 0.8309) $TSLA my fav stock ever! Did you know I was able to predict every up down move almost to the dollar before it happened? It was because I love drawing!  https://t.co/4hun57v0S1

24885) 0.7003) The Tesla Q4 2019 Safety Report shows an improvement  $TSLA #Tesla    https://t.co/VCmv8kL8rI

24886) 0.2263) $TSLA - Would love to be a fly on the wall in the Tesla accounting department.  It must be chaos there everyday trying to avoid paying bills or charging customers credit cards unbeknownst to them.  This will end soon enough.  $TSLAQ

24887) 0.8583) Dear $tsla employees, whose commissions were just cut and bonuses delayed.  Your savior is only doing this so his riches will permit interplanetary travel.  Ty for your sacrifice.

24888) 0.5423) @elonmusk @jameslin123321 @Erdayastronaut GET $tsla to 555 so that you get that fat bonus so that we can all go to mars papa

24889) 0.7506) @elonmusk @jameslin123321 @Erdayastronaut I love these totally organic... and not with bots... “conversations” you have when you’re trying to soften the ground for your $tsla share sales.

24890) 0.5962)  https://t.co/dnORSV0my3   Ron Baron's flagship all-cap fund Baron Partners Fund gained 45.4%(!!!) in 2019 vs. S&amp;P 500's 31.5%.  $TSLA is now 13% of the portfolio  Do you wanna bet against @baronfunds or @davidein?

24891) 0.765) @elonmusk Save the b.s. bro.   Ur customers would be waaaaaay happier if u just had a decent EV warranty &amp; $Tsla employee who answered their service calls.

24892) 0.5994) The reality, you will have better chance of seeing a Unicorn farting rainbows in Times Square than ever seeing Tesla grow into it’s valuation. $tsla $tslaq

24893) 0.5267) Why Tesla as a growth story is ludicrous. (Part 2) Yes, I know when it comes to Tesla I am far from an optimist. In fact, to say I am a pessimist might be a serious mischaracterization of how I really feel about the company from an investment perspective. $tsla $tslaq

24894) 0.128) All kidding aside, it shows just how desperate $TSLA is to post a big GAAP profit in Q4. When the underlying business model is broken, it forces this type of creativity. You can see it showing up in many ways.

24895) 0.9422) Fantastic ♥️✨👏😉 @mayemusk, the book #AWomanMakesAPlan is finally coming for #China🇨🇳 soon, can't wait to get my first hardcover in Chinese version for this amazing book.   Guys, stay turned on #tmal!    #mayemusk $TSLA #TESLA #ElonMusk

24896) 0.6187) I just butt dialed Amazon and ordered $4000 worth of toilet paper. Good God I wish Bezos would fix this shit.  $TSLA

24897) 0.8176) Fun fact: @AudiOfficial sold more E-Trons in Norway🇳🇴 in January so far than #Tesla sold Model X in its best month (March) in 2019.  $TSLA $TSLAQ

24898) 0.8811) There will be an endless supply of shortsellers. We will never drop below 15% short interest in $TSLA. Those who were short-burned will be replaced by fresh overconfident HF/MBA/CFA blood. And this is a great thing.

24899) 0.5994) Congratulations @ihors3   Your time split tomorrow, 90% of talk $tsla $tslaq and 10% to talk about short selling 101 😉

24900) 0.3612) $TSLA worked hard to put up some good Q4 numbers.  https://t.co/MZXcOmcKdV

24901) 0.2263) My friend just called to tell me she heard on NPR that Tesla shorts lost over $2billion since the first of the year. $tsla

24902) 0.6662) Where are the bears shouting top and sub 300 coming? Ever seen a top? It’s a process, happens over time. Doesn’t happen over the course of 2 trading sessions. Thank you for the fuel to the squeeze that has yet to come $TSLA

24903) 0.8674) $TSLA We’ll see what happens, but this would be pretty fun:  https://t.co/eKVkRpfwKe

24904) 0.9041) Looks like $TSLA closed $20 above it's opening price  @BearAdamJonas won't be getting his bonus today  Better luck next time!  @Tesla  @BullAdamJonas  https://t.co/G78SA5denY

24905) 0.7845) Many people ask me why I don’t invest in $TSLA. I’m fairly risk averse so I don’t invest in any individual stocks.  Instead my strategy is to invest in index funds with Betterment. It’s a super simple app to get a diverse portfolio for great ROI  Try it 👉  https://t.co/4HssY8twaj  https://t.co/ogoyRz2JtC

24906) 0.9636) hey @elonmusk   congrats on the great quarter papa!  i am super impressed that you managed to sell every single tesla (all models!) within 200 miles of new york.  it's even more impressive that you have so many orders i need to wait 7-10 weeks for a new one!  $tsla $tslaq  https://t.co/8JbsqnJcUc

24907) 0.1265) Last time $TSLA RSI was at 70...  Stock went from $400 to $550.   😂  Not advice.  just funny.

24908) 0.4019) $TSLA - 1/Tesla’s and @elonmusk ties to the Chinese Communist Party gets even tighter.

24909) 0.2732) Important thread on $TSLA's announced plans to build a factory in Germany. If Tesla is looking for an excuse not to build a factory that it doesn't need (and for which it has not yet signed the contract for the land), it may just have been handed one.

24910) 0.25) I think we should all take advantage of our time discussing $tsla with these guys while we have it. In a few years they may be preoccupied with other things and no longer able to share their wit and knowledge with us.  https://t.co/IhpG2KklQ0

24911) 0.34) What a coincidence $tsla pulled back to the 8day and held it giving $492 as a new point of reference  https://t.co/qZJMkuVuRd

24912) 0.4511) When an overbought stock starts to roll over, it’s almost never an easy short. Great long call on $TSLA today by @DayTraderWayne. Here is a short video to show you the set up.  https://t.co/i758iEC98e

24913) 0.4404) $tsla 510.  Holy moly.  Have to tell my wife I may need to buy a car. 😂

24914) 0.6249) At Morgan Stanley, the downgrades will continue until the morale improves.  $TSLA downgraded from Equal-weight to Underweight.  Pray I don't alter it any further.  $TSLAQ

24915) 0.1027) Apple reached $1 trillion market cap after 42 years of being founded. How many for Tesla? $TSLA

24916) 0.8398) Dear $TSLA shareholders who bought above $420. Did you read the China agreement w/ $TSLA in its Q2 10-Q? Here's what you signed up for by 12/12/23:   1) Target revenues of $10.9bn 2) Capex of $2bn 3) Tax bill of $315m 4) $315m in tax = $1.6bn in pre-tax profit  Fingers crossed!

24917) 0.3818) What a time to be alive. $tslaQ $TSLA

24918) 0.749) Jan option exp. is BIG for $tsla.  All the dumdums who loaded up on sh:tputs via LEAPS over a year ago &amp; again at lows near $170 are about to have to write down a lot of $ &amp; if they want the similar bearish put positions they have to pony up a bunch more $  Congrats @elonmusk 🤣  https://t.co/Urt9iE4jWN

24919) 0.4404) Adam Jonas is in the spotlight again, downgrading $TSLA while raising PT from 250 to 360. TSLA is the only auto stock w/ sell rating while GM, FCA, F, &amp; RACE are all rated w/ buy. He downgraded the stock so that his clients can have “more attractive opportunities” to get in. 🤷‍♂️  https://t.co/baRb3eENPZ

24920) 0.4939) 🤡 Special props to $TSLA if they include a "Unauthorized Credit Card Charges" category to the Revenue sources in the year-end financials.

24921) 0.4404) Tesla was at $481 five days ago. Tesla was at $381 one month ago.... just keeping it real. All good. $tsla

24922) 0.4019) Q4 and Q1 beat secured. Tezzler Is A Software Company after all   $tsla $tslaq  https://t.co/TsjE5NGEKz

24923) 0.4019) "we did you a favor by charging you $10k that you didn't authorize"  $tsla $tslaq  https://t.co/Jc7Kgr7CdZ

24924) 0.4295) MODEL 3 DOES NOT DEPRECIATE  Interesting point: "Battery Storage enthusiasts - Some versions of Tesla Model 3 have battery storage of 78kwh could support 5.7 Powerwall 2 (13.5kwh) equivalent batteries. Current Est price of $6500 per Powerwall2."  $TSLA #NotSellingAShareBefore5000  https://t.co/HSD5bNmJWs

24925) 0.5027) They are finally starting to get it!  Who will be first to accept it and change? OEMs or $TSLAQ?  $TSLA @Tesla    https://t.co/GP5Qd5L5D7

24926) 0.6697) "#Tesla may be the single largest beneficiary of a provision tucked into the trade deal between the U.S. and China. As part of the accord signed Wednesday, China will import more energy storage systems and parts from the U.S. this year and next."  $TSLA   https://t.co/vmusBkYXkL

24927) 0.7764) $TSLA added 250 shares @ 495. These were made out of selling 225 yesterday. Selling to own more shares; smart at times. Either join in or sit back &amp; let it ride. Either OK if a long term bull. The shawties / FUD are going to affect the price at times. Take advantage of the fools.

24928) 0.4753) Hello investors. Be happy that you might be able to buy Tesla at a cheaper price. If it’s going to $5000 then you want it to go lower so you can buy more! Once again this is normal price action after a parabolic move. $tsla

24929) 0.4201) $TSLA major supports at 494 then 484.94 (gap fill). Its going to be wild on both sides.  Resistances are at 500 then 519 then 524 then 540.

24930) 0.7964) MS Jonas in another humiliating note downgrades Tesla but moves up his proce target from $250 to $360. How do you downgrade a stock and move  your price up 40%. At some point you just have to laugh at the joke they call Wall Street.  #tesla $tsla

24931) 0.6597) $tsla I sold my calls above $540 area. Now I nibbled back as this $490-$495 area is “Decent” active support - started small  https://t.co/HjQ7HHw5Rs

24932) 0.1431) Tesla about to run out of energy here? Will it peak or experience some selling pressure at this key price point? Bulls might want to keep a close eye on it at (2). $TSLA  https://t.co/iQ450maSoY

24933) 0.4939) I'll admit it. I'm a sucker for well balanced design ratio's and compositions. Take a look at the Jaguar F-pace for example. The design is beautifully balanced. $TSLAQ $TSLA  https://t.co/JPvWsoSq72

24934) 0.8777) What a day to clear your 30 day Wash sale rule!  $TSLA.  Woke up early to get loaded up and I’m feeling excellent about my luck.

24935) 0.7865) $TSLA opening at under or around $500 this morning.  Bulls taking profits or $TSLAQ increasing short positions? :D

24936) 0.6249) Tesla registrations dropped in California last quarter.  @Tesla had all-time high sales last quarter.  Overall demand and orders is amazing worldwide, and the wait is 2-3 months for a Model 3 in CA right now.  Sales were strong elsewhere and registration data lags sales.  $TSLA  https://t.co/mJns6frOIJ

24937) 0.5994) Covered half $TSLA swing. Hoping it sets up for some intraday opps as well.  https://t.co/p4NTbw7YZs

24938) 0.3612) "BlackRock is making a seismic shift toward climate-friendly investments, and the crown jewel of that new strategy could be Tesla stock."  BlackRock manages $7 trillion.  $TSLA #NotSellingAShareBefore5000  https://t.co/3jadwZ14NN

24939) 0.4753) A million mile life for both powertrain and battery has a nice synchronicity.  It would take the average American ~80 years to drive 1 million miles!  $Tsla $tslaq

24940) 0.1779) $TSLA Morgan Stanley downgrades Tesla up stock fair value to 360 from 250.    This analyst said sell at 180.   Missed the whole rally now says sell at 505.    People listen?   The analyst is only working for the short sellers.  Earnings will make this guy look like an idiot.

24941) 0.5719) Excellent thread on the Jonas downgrade of $tsla today

24942) 0.899) 10) But then Jonas winds up basically giving the finger to $TSLA by providing a "bit of perspective", which includes various risks like  product liability, warranty issues, etc &amp; the best line of the report: "Tesla has, to date, not achieved a full year of profitability or FCF."  https://t.co/FOEp7QPODD

24943) 0.5859) 8) Nice charts by Jonas' assistant showing how grossly over-valued $TSLA is vs real car companies.  https://t.co/NWZiMEGtZc

24944) 0.4854) 7) Then Jonas justifies his fair value assumption of $360 for $TSLA &amp; this is where the report goes to pot. He claims $TSLA deserves a "premium" due to 3x higher growth vs European luxury brands from 2021-30 but then admits he has no estimates for BMW &amp; Daimler in 2025.  https://t.co/nyiDJ3X3J2

24945) 0.3919) I guess this $TSLA debate has two elements.   1) those who reduced but still clearly want #Tesla to go up   2) those who sold and have u-turned on the stock, trying to talk it down.   No excuses for the number 2s...

24946) 0.7485) MORGAN STANLEY: cuts $TSLA to underweight, even as it ups its China unit forecast. “We are encouraged by Tesla's execution ... However, we think investors will be presented with more attractive opportunities to own the stock in the future.”  https://t.co/04P8X4E8k9

24947) 0.6597) The people who encouraged everyone to short $TSLA and lost billions sure have a lot to say about those who choose to hold the stock now that it’s gone up. 😂  https://t.co/3DKSCYxSJu

24948) 0.818) Morgan Stanley cuts $TSLA to underweight but raises price target to $360 from $250 on a valuation &amp; risk/reward call: “we think investors will be presented with more attractive opportunities to own the stock in the future.”

24949) 0.25) Lies. The #Tesla store is amazing. $TSLA  https://t.co/JiXI2dVhxK

24950) 0.6597) @AlterViggo The good old “Short and Distort” comes out like clockwork with Earnings just around the corner. How’s it worked out for you this last year $TSLAQ? $TSLA

24951) 0.7278) First 3 #Porsche Taycans in the Netherlands yesterday (1x 4S, 1x Turbo, 1x Turbo S). Showroom or customer deliveries? Probably the former, but customer deliveries should start soon.  Will not bore you with specs :)  $TSLA $TSLAQ  https://t.co/5tj8KIaG8R

24952) 0.1027) Jonas 2020 delivery estimate 497k. I don’t have a clue how $TSLA can reach that number considering NL and US post subsidy trends, with Q1 tracking say 80k..need 120k+120k+180k.  China would have to ramp over +100k by YE. GTFO.

24953) 0.5267) If all this short-covering, delta-hedging, &amp; walls of China money fueled the parabolic rise in $TSLA's share price recently, what happens when the share price starts to go down?  https://t.co/TIkKcVQdCl

24954) 0.3612) #ExplainBABYCharts #FraudWatch day 350  Better watch out @profgalloway, you’ll get put on the block list with behavior like that.   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/FhQiSilKo3

24955) 0.8773) I've never had so many friends ask me about whether this is a good point to short $TSLA. Amazing.   $TSLAQ

24956) 0.694) “The new data comes nearly two weeks after Tesla beat Wall Street estimates for annual vehicle deliveries and met the low-end of its own target, sending shares to a record high in a vindication for Chief Executive Officer Elon Musk after a few turbulent years.” LOL. $tslaQ $TSLA

24957) 0.6705) This is what channel fill vs. flow demand looks like.  With a bonus helping of cannibalization and subsidy cuts.  $TSLA

24958) 0.6858) $tsla #tesla shorts attack. They might bring it down to $500. It’d be a great buying opportunity. But people just like to look back and kick themselves with should’ve could’ve and would’ves.   https://t.co/0MyUdV6KJx

24959) 0.0772) Remember all those times $TSLA-like companies Amazon and Apple "mistakenly" charged $9,700 against your credit card?  Tesla owners are unintentionally buying expensive software upgrades and not getting refunds, Musk says will address  https://t.co/vrZVShRadD via @FredericLambert

24960) 0.3477) So while Musk touts his BS to the masses, he knows exactly what's coming his way.  This isn't rocket science.  $tsla  🚀👨🏼‍🚀 Mature markets are in major decline.

24961) 0.7717) Tesla's ‘secret’ project: A super powerful training computer program called ‘Dojo’.  The goal is to be able to use vast amounts of video data for massive training with minimal human intervention.  ‘potential game changer’. $TSLA $tslaq   https://t.co/XgMRAXw8Rc

24962) 0.3818) Hyper growth.  $tsla  Model 3 registrations, which accounted for about three-fourth of the total, halved to 10,694.  https://t.co/SEQV98fGWA

24963) 0.3612) At 265Wh/mi my S Performance will get 376 miles of range. Even holding back 13% of the battery like Porsche does I would get 327 miles.   And I can still smoke a Taycan Turbo S to 100kph and have enough $ left for a 2nd Model S Raven...  Makes you wonder...  $TSLA  https://t.co/UcBKME3uxi

24964) 0.8807) For the $TSLA employees whose commissions were cut, bonuses delayed, responsibilities increased...  Your sacrifice is for a greater cause, just not the one you think...  Below, Jesus Musk's stock based compensation award hurdles.  Thank you for your sacrifice.  https://t.co/ou7hcZva4i

24965) 0.128) Crazy Eddie Memoirs: There are better ways to cook the books and inflate revenues without defrauding your customers. $TSLA $TSLAQ

24966) 0.2023) Tesla will have to do $10 a share in earnings to justify a $500 stock price and I do think this is totally possible for 2020. Its just too hard to tell whats going to happen with so many moving parts. $TSLA

24967) 0.7407) I very normal and healthy pull back for tesla today. Don't worry, you cant have stocks go straight up forever. Be patient. Saying tesla is going to $5000 in five years assumes that we'll all be here in five years... Right now. 50 times 2020 estimate sounds about right. $TSLA

24968) 0.4199) Because I'm a glutton for punishment I shorted G $TSLA 550c 150 x. Wish me luck and intestinal fortitude!

24969) 0.4927) $TSLA Q4 2019 report will be the most profitable one until now. Buy $TSLA before earnings 01/29

24970) 0.3818) The reason why @elonmusk is having a design centre in 🇨🇳?  🇨🇳 designs with prototypes and the turn around time for production mockups are the world's quickest (from sketch to working prototypes in hours)  Phase of innovation will be accelerated for $TSLA   @thirdrowtesla  https://t.co/udxM2JX4gk

24971) 0.7503) So far we've learned that  $tsla cut commissions in q3 Moved bonuses to 2020, Got one time concessions from suppliers  Booked FX gains on it's own subsidiary Under accrued for warranties Doesn't pay it's employees a living wage  Yeah, sounds sustainable.  🙄

24972) 0.6369) If you're curious about the steps $TSLA had to take to show a profit in Q4, @lorakolodny just showed you one of them.

24973) 0.6486) @Keubiko NOTWITHSTANDING the fact that I agree with your assertion about it being the best Musking all week, that thing was loaded with grammatical errors. I guessing the average non-engineering employee at $tsla has little more than grade school education.

24974) 0.2732) "We assume that @Tesla’s parts domestication, the cost of raw materials will fall by 10-20%. In this case, gross profit margin of Model 3 produced by the Chinese factory will reach more than 35%," - Chuancai Securities.  @elonmusk  $TSLA #Tesla #MICModel3  https://t.co/oW60fU1omR

24975) 0.6195) I thought, "Interesting that $TSLA is trying to squeeze the bulls out without a FUD article," and then...  https://t.co/O4Y6Kqag5v

24976) 0.1531) Sounds a lot like period shifting expenses to me.  What a slimy company. $tsla  "Current and recent Tesla employees also said that 2019 end-of-year performance reviews were delayed until early 2020"  https://t.co/pOHYQ8mciT

24977) 0.5423) $TSLA reversal near 4mo channel top. Some consolidation would be healthy after the steep run. Let price action lead you.

24978) 0.7184) What ingrates. They should be overjoyed with their chance to help the criminal Elon Musk in his fight for a fantastic future (private jet).  $tslaQ $TSLA  https://t.co/Mt4IdkNda1

24979) 0.3595) 🔔Media Alert🔔 Analyst @TashaARK joins @MylesUdland and @JenSaidIt on @YahooFinance's The Final Round today at 3:10 p.m. ET to discuss ride hailing, drones, 3D printing, $TSLA and more. Tune in! #BigIdeas2020  🖥️:  https://t.co/xruTtWtt6c  https://t.co/R3UeuOqa51

24980) 0.7906) See how easy we can make this, @elonmusk? You want to help all these people $TSLA is mistreating terribly, and Mr. Work is here to help. You're welcome.  cc: @nntaleb

24981) 0.9184) @nntaleb @elonmusk One more thing, Mr. Taleb. If you or Elon is interested (and Elon claims to be very interested, right?), then in the superb compilations assembled by @ghost_scot there is a wealth of material to be found about non-Blue check people who have been mistreated by $tsla.

24982) 0.5423) Good for you, @nntaleb.  Might I suggest you invite other people having similar issues with $tsla to respond on your thread so that @elonmusk can do some one-stop shopping, as he claims to be intent on personally addressing these issues.

24983) 0.4215) Why does @elonmusk always respond to blue check marks with bs to downplay their complaint, but anyone else gets ignored. Maybe they have a greater reach for disseminating the truth? $TSLAQ $TSLA

24984) 0.7783) “A new report by equity research firm suggests that Tesla’s gross margin for Made-in-China (MIC) Model 3 could increase to 40% or even higher, &amp; with higher profit margins, [#Tesla] can create conditions that will further help stimulate sales…” 🏣  https://t.co/sdjoVHZba5 $TSLA

24985) 0.6633) OK guys, I'm short $TSLA now. I feel like I just joined a cult.

24986) 0.7951) So now, faithful Tesla owners, we know that engaging autopilot might be just like pressing the button on Dr. Kevorkian‘s machine. For you and everyone on the road with you. $tslaQ $TSLA

24987) 0.1027) $TSLA Jun-22 650 Call Buyer +750 for $101.00  Not everyday you see a $100+ speculative option buy

24988) 0.184) @elonmusk The blue check made it easier to spot I’m sure.   Since we have you here, why is this defective windshield replacement being coded to goodwill and not warranty expense?  $TSLA $TSLAQ  https://t.co/t2IupbeEAQ

24989) 0.2263) How to get service from $TSLA in two easy steps:  Step 1: Get a blue check mark Step 2: Tweet relentlessly about bad service  The rest of you normies can stfu and like it.  $TSLAQ

24990) 0.6486) Even with short interest reaching historic highs, technicals warning "overbought" ( https://t.co/EGY5x26CW3), and many conservative bulls "taking profits" (they will be back, you'll see), the stock hasn't even blinked, while the company executes.  $TSLA #NotSellingAShareBefore5000  https://t.co/7e3LUMEGBJ

24991) 0.3071) Tesla CEO Elon Musk nears first $TSLA bonus payday, but it’s really complicated  https://t.co/ASc0nUXbs4

24992) 0.2023) @bonnienorman @PennsylvaniaGov @PAGOP @PaHouseDems @GovernorTomWolf Does @PATreasury hold short positions in $tsla?  I’m sure govt employees would want to know if their pensions are invested in such risky situations.

24993) 0.4871) Buy $tsla on every dip. I bought again at $533. Am I crazy? $tsla just became the highest shorted company in the world? The squeeze will be imminent and will be soo glorious, I can almost taste it. I can't wait to see the Institutional ownership percentages.

24994) 0.9014) 5/ And to publish it in the Number One $TSLA Fanzine, well, that's a credit to the editors, @FredericLambert &amp; @llsethj. I've had plenty of criticism for both, &amp; still do, but this was gutsy. No doubt they'll get plenty of incoming from the $TSLA faithful (welcome to my world).

24995) 0.2732) @nntaleb @elonmusk The best part of the $TSLA response is, based on font size &amp; color, the "paying for an addition to a house..." Elon-speak was cut &amp; pasted in; they're using this lameness time and again.  https://t.co/AvQTNp8hXp

24996) 0.5256) The most valuable company in the world is an oil company, Tesla will change that $TSLA

24997) 0.6124) As $TSLA approaches the $100B valuation milestone, @elonmusk's compensation plan is back in the news. But it's a little more complicated than just hitting $100B. Here's exactly how Elon's compensation is structured; prep for the inevitable misreporting 😄   https://t.co/NXZXaQRSF3  https://t.co/5SXk5whIVa

24998) 0.25) Yo @Model3VINs, any chance of tracking Model Y's for a little while?  $TSLA

24999) 0.743) The short interest in @Tesla is now the largest in the world, and possibly, the largest ever in history.  The fun is yet to start.  The future is here.  Place bets accordingly ...  $TSLA #NotSellingAShareBefore5000

25000) 0.5561) Shorts keep talking about US market shares and US sales.  What they fail to realize (probably on purpose) is that the US is not the biggest EV market. Not even the second biggest.  So please, keep focusing on US 😂  $TSLA @Tesla

25001) 0.3182) $TSLA is a story stock.  Important parts of the story don't hold up to scrutiny.  Trade carefully.

25002) 0.4215) Added $TSLA today lol  https://t.co/kTLBKwHO9R

25003) 0.3818) @ValueAnalyst1 @Tesla i’d buy @Tesla sports and fitness apparel to literally pump $TSLA at the gym 🔥😂⚡️

25004) 0.8165) 😂😂😂 $tsla doesn't want to stay down

25005) 0.6249) @ghruffo @InsideEVs Excellent article with interesting insights.  $tsla willful misclassification of warranty work as “goodwill” also serves to artificially inflate gross margins &amp; currently provides a substantial boost to net income. It’s accounting fraud as well.   https://t.co/KpuxWUsw2M

25006) 0.296) $TSLA 25 shares added around 529

25007) 0.6901) Now seems like a really good time to short $TSLA.

25008) 0.101) Tesla Skeptic Has Downgrader’s Remorse Balks | Bloomberg  “It’s a little shocking [...] that the major auto OEMs in the U.S. and Europe still don’t have a product to compete with Tesla."  "Tesla’s competitive positioning is awesome."  $TSLA  https://t.co/KYBqZiLgCg

25009) 0.8907) Collapsing lithium prices may incrementally help 🇨🇳 MIC margins in 2020, but more importantly, this confirms that the supply of Lithium is more than enough to support Tesla's planned growth in the near term and can be ramped quickly when needed.  $TSLA #NotSellingAShareBefore5000  https://t.co/24e4hsevj0

25010) 0.4404) Why does $TSLA buy from suppliers who exploit child labor?  "Glencore is at the center of a new legal case against Big Tech in the United States over the “extreme abuse” of children mining cobalt in the Democratic Republic of the Congo."   https://t.co/BxJG0Mb5oE

25011) 0.2023) Fun fact: @Audi sold more E-Tron's in Norway 🇳🇴 this year than #Tesla sold SuX (combined) in whole Q4.  $TSLAQ $TSLA

25012) 0.5267) $TSLA I'm short at 535, it's ok, I'm ready for all the heckling when i get stopped out lol

25013) 0.5091) My latest @RealCoinGeek article!  Bitcoin protocol CAN’T be set in stone for the same reason Sony Betamax will almost definitely beat VHS.   Also, I literally talk about Ancient Greece and $TSLA   🐥 Retweets make number go up!   https://t.co/Ka2TZmXcdB

25014) 0.8268) In honor of $TSLA being red in the pre-market this morning, we’ve released Episode #6 of TC’s Chartcast with special guest Grant Williams!  Find it on all major platforms or directly at  https://t.co/x6i1pE8la0   cc @georgia_orwell_ @PollsTesla @evacuationboy @ttmygh $TSLAQ  https://t.co/IXAEnN3P8x

25015) 0.7845) Happy to see that German magazine @focusonline amplifies my friendly remarks relating to #Gigafactory4. Now I know where the $TSLA bulls found my tweet ...  $TSLAQ   https://t.co/Pecu3gfXWv

25016) 0.4588) Wall Street is becoming bullish on $TSLA, and all the smart money want a slice of the cake...   https://t.co/RtMtIQQJwU

25017) 0.34) "Tesla is the ultimate Larry Fink stock" Mad Money's Jim Cramer on the CEO of Blackrock.  Blackrock, the world's largest asset manager &amp; fossil fuel investor, wants to go GREEN, and $TSLA might be the beneficiary...🧐🤔   https://t.co/sCB5vmjHLY

25018) 0.0516) Is it too early for a $TSLA in turmoil special? @carlquintanilla  https://t.co/0lTMu0NAfT

25019) 0.2235) Tesla’s Competitors Should Be More Concerned Than Ever 🚘🔋🔌 “If there’s a lesson to be learned here it’s this: never underestimate @ElonMusk.”  https://t.co/mcpFzmtmY8 $TSLA #Tesla #EV

25020) 0.6956) I'm not an advocate of technical analysis, but in this case it's fascinating to view the sentiment of $TSLA from the RSI indicator.  Technically speaking, TSLA is now deep into the "overbought" territory, i.e. &gt;80 RSI, first time since Feb 2017.

25021) 0.128) Bad news everyone. With $TSLA well over $500, we are no longer needed.  Pick up your last paycheck at the front desk and thanks so much for the endless paid #Tesla cheerleading.  https://t.co/Wz46qgp8AP

25022) 0.4767) New found respect for the $tsla shills at @ElectrekCo. Know when to hold 'em &amp; know when to fold 'em.

25023) 0.5627) BIG NEWS of the day in the financial world is @blackrock committing to environmental sustainability as its core goal.  this is great news for $TSLA &amp; @iotatoken coz #IOTA is the most sustainable crypto🔥😎⚡️  Larry Fink: Financial risks of climate change  https://t.co/Btpic3xivi

25024) 0.7003) @AlterViggo is dealing with FUD--people actually think the Y and the 3 are the same. Hopefully this article will help clear up the confusion. $Tsla

25025) 0.9476) #ExplainBABYCharts #FraudWatch day 349  @fcw1964 @TMackAnthony @Matthew38756667 sure kept #BABYcharts busy today... or should I say, PaulieDumDum busy 😂   How dare Tesla leave non visible surfaces unpainted. Who do they think they are, Porsche?! 🤣😂🤣😂  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/EXztsM64Q6

25026) 0.2247) My son tells me to stop buying into the $TSLA hype because it’s volatile &amp; could fall $100 tomorrow. I said then I’ll buy more. #faith

25027) 0.4767) “In a filing, Musk signaled his intent to buy about $10 million of the electric auto maker's stock in the new offering. The total equity offering is for 2.7 million shares of Tesla. Musk's purchase would be 41,896 shares.”   Update: Elon’s stocks are now worth 22.5 mil. $TSLA  https://t.co/lJgS5BXKUe

25028) 0.6705) Surprised about recent $tsla stock price? Get ready, it is only mobility business. the new energy and computer tech businesses are not priced in yet

25029) 0.8814) Big stuff for $TSLA. Every profit percentage trickles down and makes a HUGE difference in China and yet 35% on a luxury sedan!? Amazing @thirdrowtesla @ValueAnalyst1

25030) 0.2648) The new battery tech $tsla is working on is going to unleash many more applications . Energy capture and storage managed by advanced software is a critical component of Tesla

25031) 0.6474) .@ARKInvest‘s @CathieDWood on what's behind Tesla's record run 📈  “We think the margins on electric vehicles will be much higher than most analysts anticipate, but [Tesla will be highly profitable] because of their autonomous taxi network.” $TSLA @elonmusk  https://t.co/dvWkWFJFXM

25032) 0.5417) @NgtSynthesis @ShortingIsFun @elonmusk He is not interested. Poor service is a feature he specifically designed into the $TSLA culture to save money. Elon micromanages everything. This is his overt strategy. He assumes the cult will put up with it.

25033) 0.355) $TSLA projection - if my count is correct, which so far so good. Today we completed subwave (3). On the smaller degree, we are correcting. We should see a retracement to prior (iv) low of 520, which has confluence w a 2H RBR demand. From here, i have subW5 ext. target of 630  https://t.co/4lnoR7efS5

25034) 0.6705) @justtradin @elonmusk Please tell me that you are still short $TSLA 🙏  Psst.. Because I need your money on the other side of the trade 🤣

25035) 0.8176) Picked up $TSLA puts  The odds of a pullback after running $200+ or 60%++ from December lows- C’mon you don’t need to be a rocket scientist here. The euphoria WILL conclude 🚀 🧪   I like my odds  From a chart stance, $TSLA will see $360’s again   PS. I actually like the truck

25036) 0.0516) Larry has $7 trillion assets under management.  If he invests in $tsla, it will be a game changer.  A general note - you will hear pumping, dumping news. Pls invest your money carefully.

25037) 0.875) Assume that $250,000 market cap per vehicle $TSLA produces is a fair valuation. Running a little math, we can see that you should sell off some of your shares and use the profit to buy another car. If everyone did that it would skyrocket remaining shares in value. ( &gt;5:1 cap:car)

25038) 0.8601) This is  $tsla .  Not the carefully crafted mirage.  If you support support Tesla, as they lawyers in this case make clear, you’re supporting a company “that thinks it’s above the law”.

25039) 0.6597) Appreciating asset.  $TSLA $TSLAQ

25040) 0.7506) Very inceptiony watching @Gfilche's latest $TSLA video and seeing him in the background editing the video he's in.  🤣🤣  https://t.co/YQdmPDrUGM

25041) 0.101) "Of the top-5 most expensive makes sold at Carvana in the past year, Tesla lost the most value on the used market, at least according to Carvana."  $TSLA   https://t.co/7InGAYiCxs  https://t.co/qs3saMlCpG

25042) 0.4939) THIS DAY IN $TSLAQ HISTORY:  RIP $TSLA 🤭  @markbspiegel 1 year ago:  https://t.co/2viGbRIijb

25043) 0.964) Not only did they get a TON of free press out of it, but now they're going to make merch and get direct profits from it?   I'm convinced this will be a marketing case study in the next round of marketing textbooks.    Well played, $TSLA, well played.     https://t.co/ylu9I5BqLj

25044) 0.296) $TSLA bulls. When you cash out, be sure to pump that money into Tesla products.  The shorts want nothing more than for all longs to sell sell sell.   So buy the products with your well deserved gains, if for no other reason than to piss off the short sellers.

25045) 0.8811) Today's chat with a Ford Raptor owner:  *creeping closer to the truck*  Me: "Hi! May I ask you a couple of questions?"  Cool dude: "Sure, what's up?"  Me: "Heard about the #Cybertruck?"  Cool dude: "Yea! I put down a deposit"  Me: "Thanks. Bye!"  $TSLA #NotSellingAShareBefore5000

25046) 0.6114) My unsold $TSLA shares thank you Ross!

25047) 0.8572) Did you not read my bio Twitter?  Did you not know that $TSLA &amp; Elon Musk are already under DOJ criminal investigation?  I'm more than happy to help the FBI for free this time.  Let's add a little sparkle to you day before @Paul91701736 sends you on your way.  https://t.co/7ncgiNUNpl

25048) 0.4767) .@CathieDWood told CNBC today that she estimates Tesla could be worth more than $6,000 per share over the next five years 📈  @elonmusk  $TSLA #Tesla  https://t.co/SoNm1jxJHr

25049) 0.555) Just got an Email from Tesla in Santa Monica asking if im interested in adding solar to my house. You can rent solar for as little as $65 a month, no other costs or contract.  This is amazing - I told her Im buying a house with my Tesla profits so Ill get back to them. $TSLA

25050) 0.6486) MUST WATCH for $TSLA bulls - 5y forecast $6k/share Trillion dollar value on par with Apple &amp; Microsoft - Profit from eventual AI software service vertical integration RoboTaxi plan - Data is king: collection from 700k fleet   https://t.co/PNTELgI6PT

25051) 0.9371) 🤣🤣🤣🤣🤣🤣  The fraud never ends  $TSLA

25052) 0.5106) This is how &amp; why Tesla will one day be a $1T company. They’re relentless at beating every challenge &amp; will eventually expand globally with their far superior &amp; climate compatible products.  $Tsla prepares massive solar roof expansion in many new markets.  https://t.co/mNvB0xwSXA

25053) 0.4019) "Organ said his team is asking for sanctions because Tesla clearly believes it’s above the law." $TSLA $TSLAQ  https://t.co/cuCVfASLi5

25054) 0.9895) #Tesla will sell the same amount of cars this year despite adding the model Y and #GF3 ramping 😂🤣😂🤣😂🤣😂🤣😂🤣😂🤣😂 $TSLA   https://t.co/duAoPpv0d9

25055) 0.4939) Also, does anyone else think $TSLA should add a line to its reporting?  "Net income from actual automobile manufacturing."  It would clear up lots of confusion and perhaps shed light on true margins, among other things.  #NIFAAM  https://t.co/HHXR7DOkbW

25056) 0.6705) Disclosure: Sold 99.9% of my $TSLA shares today. Has been a fun ride.

25057) 0.6072) Buffing up my $TSLA model, getting ready for the call.  I noticed I had $0 for robotaxi revenue for 2019.    Did I miss a press release?  Any help?

25058) 0.7579) Highlight: "Consumers want Elon [Musk] to win," @onerepublic frontman @ryantedder says about the $TSLA CEO. "He's the modern-day Thomas Edison. ... Bet on Elon." Also talks about streaming and the state of the music industry. Full comments:  https://t.co/WSmmF1xpGr

25059) 0.6597) Tesla's are 👏 an appreciating asset 👏  $TSLA $TSLAQ  https://t.co/e7BuLMEnjk

25060) 0.6652) @danahull True, but a lot of #Tesla fans recently came in to a lot of money and might be interested in some self indulgence.  $TSLA  🤡 $TSLAQ 🤡

25061) 0.6588) Hey @CathieDWood why not bid on my $TSLA chart? It's for a great cause!  https://t.co/KgsbWDnGsC

25062) 0.5927) slowly but surely.  $TSLA

25063) 0.6249) I wrote a screenplay for “The Big Short 2” — based on true events that occurred subsequent to the original film.  PLOT:  [A group of people short a concept stock]  [they wait]  [wait]  [wait]  [wait]  [wait]  [wait]  [They say “fuck it” and cover]  THE END  #fintwit $tsla $tslaq

25064) 0.8074) "Ark Investment Management founder Catherine Wood said Tuesday that she believes Tesla could be worth more than $6,000 per share in the next five years."  $1tn market cap. 😁  $TSLA $TSLAQ Tesla going to over $6,000 per share: Ark Invest's Catherine Wood  https://t.co/bGtL6cZ96Y

25065) 0.3612) Lmao. Shorting $TSLA before earnings is lighting money on fire. Burn Shawtys burn.

25066) 0.8012) @SteveHamel16 @CathieDWood @Tesla 😂😂😂  AGAIN, #NotSellingAShareBefore5000 is not a price target but simply the price at which $TSLA *starts* making sense.  I haven’t shared my target with anyone.  The world is not ready... 🤣

25067) 0.8676) ⁦@CathieDWood⁩ is extremely bullish on $TSLA w/ $6k PT. She is more like the visionary analyst Mary Meeker, “queen of the net” who recommended AMZN back in 1998. As the biggest TSLA bull, maybe Cathie should be called “queen of TSLA” 😀  https://t.co/lWcwyr6tNJ

25068) 0.4926) Tesla Is On A Bender, Don't Be That Person  https://t.co/ct2DEuMvbf Thanks @papsadorazach @keith31345919 @Elxnder for the $TSLA request!  https://t.co/nL7nA7Vufd

25069) 0.5256) $TSLA the most valuable car company on the planet.  https://t.co/brRIEZ9ahH

25070) 0.3182) $TSLA  ANOTHER SHORTIE CAUGHT,  SWEEPS ALL OFFERS CALL-SIDE FOR A COOL MIL

25071) 0.6072) 1: Why are investors paying up for Tesla when its rev growth has stalled?  2: Don’t investors see the looming competition?  3: How is T able to keep promising “FSD” &amp; “Robotaxis?”  4: Why aren’t regulators calling for an end to “Autopilot”?  $TSLA $TSLAQ  https://t.co/o2ZS67BdjE

25072) 0.8834) ALERT!!!!!!!!!! I am auctioning off a hand drawn chart of $TSLA. The proceeds will benefit The Back To School Store  https://t.co/zi7mn9oyyE The bidding starts at $100 &amp; moves in $10 increments. 1/4

25073) 0.3254) BONUS #4 — A Lesson For The Ages: "Never bet against a billionaire rocket scientist who hates short sellers."  $TSLA #Tesla   https://t.co/N4GBD2MMvh

25074) 0.4939) I’m thinking about a $tsla short..the options are pretty expensive tho..

25075) 0.6705) $TSLA this still feels like all cold-blooded buying. Short squeeze may start soon. :)

25076) 0.3724) So far I’ve never been wrong with my stock PTs.  And I’ve got an updated PT for $TSLA:  PT: 0 - ∞.

25077) 0.7712) Tesla is now introducing mud flap gaps! In the new free mud flap upgrade to all TM3 owners in winter climate, Tesla is continuing a proud tradition. These even capture mud and brine for extra corrosion. $TSLA $TSLAQ  https://t.co/oto7mRKeoO

25078) 0.4404) $TSLA... Cmon Powell u can do better smash those shorts. $535.🤦‍♂️ What’s that thing Buffett said about Bull Markets right before the end?

25079) 0.3595) 🔔Media Alert🔔 CEO/CIO @CathieDWood joins @carlquintanilla, @MorganLBrennan and @jonfortt on CNBC's @SquawkAlley today at 11:40 a.m. ET to discuss $TSLA, #BigIdeas2020 and more. Tune in! #Tesla  🖥️:  https://t.co/Xz9pgXZiMk  https://t.co/UkXOgWVib7

25080) 0.0516) On Feb 25, @NTSB will convene to debate the wording of their apology to @elonmusk and $TSLA  https://t.co/H6zKYjwJBq

25081) 0.6124) Jefferies boosts Tesla target to $600 from $400, says don’t sell on valuation 📊⚡️🎯 “#Tesla is the only car manufacturer engaged in a ‘positive-sum game’ in electric vehicles amid rising market acceptance,”  https://t.co/EHKVaeh0UH $TSLA #EV  https://t.co/tcxmr0kujJ

25082) 0.4199) Hey @ttmygh, about that @MacroVoices interview we taped yesterday...  It doesn't air till Thursday, so your comments about the 'absurdity' of $TSLA at "almost $500" may be stale by the time it airs.  Can you send us insert clips for $600, $750 and $1000 in case we need them? Thx!

25083) 0.4404) Good.  $TSLA #NotSellingAShareBefore5000

25084) 0.9324) Fascinating interview of ⁦@AndreaSJames⁩ about her years as a $TSLA analyst from 2010 to 2016 😀  Time to watch it now that the stock hit her target 🎯 of $500 😉  Lots of very interesting info about the early years of @Tesla as a public company 😊  https://t.co/YkERUNgdzl

25085) 0.4019) Uggh i wish I bought $TSLA at $450  Bet you never thought you'd hear that

25086) 0.5308) This has nothing to do with stock borrow scarcity with over 30 million shares available to borrow.This increase is extra insurance that if $TSLA retail shorts go belly up, brokers have enough collateral, no matter the daily price move, to cover the obligations of the short seller

25087) 0.3182) Shorting $TSLA here... pray for me 🙏

25088) 0.1481) The main reason the Fed-repo-Y2K-liquidity story was always bunk:   Fed liquidity allowed banks to *maintain* their risk levels and not be forced to cut back. It didn't induce banks to increase them. When a bank demands excess reserves, it is to hold onto them, not to buy $TSLA

25089) 0.2732) $TSLA shortsellers have increased their positions over the last week.  The short squeeze hasn’t started yet.

25090) 0.6369) I love the smell of margin calls in the morning. $TSLA $TSLAQ

25091) 0.1048) Tesla is one of those companies where we can post our research for free and get lots of likes/follows/etc.  Yet our clients - nearly all institutions - rarely talk to us about it. In client meetings, most just don't care. They'd rather hear about our other ideas &amp; updates. $TSLA

25092) 0.7964) Tesla up 29% YTD.  And the rally continues.  Love it. $tsla thanks @ycharts

25093) 0.1613) Bozo Jim Crammer now calling Tesla a GROWTH STOCK which is absolute nonsense. Crammer isn’t doing his homework. $tsla $tslaq

25094) 0.296) $TSLA 15 shares added 540

25095) 0.5423) 1.1 Million $tsla shares traded in PreMarket. It's huge.  @jjhanna2 @Hein_The_Slayer

25096) 0.8334) I will sell my $tsla $510 &amp; $540 calls I bought Friday this Morning. I wouldn’t buy it this morning.  (But doesn’t mean it’s an easy short).  If u bought it when it cleared $498.50 yest, trim some  I’ve given many ways to buy its since $330 in a more responsible was Vs this open

25097) 0.1779) Think about everything new that @Tesla has achieved since 2014 from growing production by 25x to building multiple Gigafactories and 16,000 Superchargers to even introducing Autopilot...  ... then note that the stock has only doubled since then.  $TSLA #NotSellingAShareBefore5000  https://t.co/TqHFPV0Gmz

25098) 0.8481) Fun Fact: $TSLA shares are up over 60% in the 5+ weeks since Elon won his first "pedo guy" trial

25099) 0.782) Tesla up 14% in pre-market holy mother of God. What is behind this? What news could be driving this? This is not a front-run of a good earnings to me. That would have been like $100/share ago. $TSLA $TSLAQ

25100) 0.8748) I've made this for you guys Feel free to share the love!  $TSLA #NotSellingAShareBefore5000   @thirdrowtesla @ValueAnalyst1 @jpr007 @TeslaPodcast @tesla_raj @ray4tesla @JayinShanghai @AlterViggo @gwestr @DMC_Ryan @teslabros @1stPrincipleInv @slye  https://t.co/OSoTaudHoZ

25101) 0.4215) Crazy Eddie Memoirs: Don’t count your profits until you’re 100% sure the Feds can’t take them away from you. $TSLAQ $TSLA

25102) 0.6597) $TSLA good news for the bears.... if you turn the chart upside down looks like bankruptcy is imminent  https://t.co/Izp10Kmlph

25103) 0.8969) Not gonna lie, I'm more happy to celebrate with my $tsla brothers and sisters than I am about making profit. We have been through some rough times together 🤝

25104) 0.6908) 3) $TSLA became a bubble this year when its traded value spiked to record highs at over-bought price levels (RSI &gt;75). New money had to be part of this &amp; it coincided w/ many Musk-led China pumps, including 1/2-truths like GF3 reaching 1k/week in output; Model Y also at GF3, etc.

25105) 0.3612) Putting on my space suit ready for lift off for another day in space. #tesla @elonmusk $tsla

25106) 0.5524) $tsla SP has risen so fast and so significant that both bulls and bears r all puzzled. We always have claimed that Tesla is a tech company not an auto company. If valued as such,  it is still quite undervalued. Market shall decide.

25107) 0.534) Prediction: All but the smartest $TSLA shorts will get squeezed out, Elon will get his massive payday for pumping the stock, then the whole thing implodes. So basically, everyone loses except Elon, which has been the $TSLA story all along anyway!

25108) 0.6808) Elon Musk "is now within striking distance of the performance-based stock grants he negotiated in his 2018 compensation package that would award him 1% of the company's stock if it reaches a $100B valuation, paying him $1 billion." - @DionRabouin   $TSLA  https://t.co/CFzkDA1r7j

25109) 0.5423) @Gfilche Side note: Not all sell-side analysts are the same. For example, @AndreaSJames, who rated $TSLA "buy" against intense skepticism in 2012 leading into the short squeeze in early 2013, was a sell-side analyst, and the best of all time.  MUST-WATCH INTERVIEW:  https://t.co/OlmjRcVuDy

25110) 0.6808) $TSLA CEO Musk is nearing first $346M tranche of options after stock more than doubled in last 3 months. Shares need to rise another 6% to put market value at $100B and sustain that level for 1- and 6-month avg to trigger vesting of first of 12 tranches of options granted to Musk

25111) 0.7906) Good morning. This is your local weather forecast.  Cloudy with a Chance of $$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$  Recommend taking a bigger basket outside today to catch em.  Note - weather fluctuates. Be careful.  $tsla  https://t.co/KWMmPvWFdA

25112) 0.932) Managed to go from just a couple of hundred followers to over 1600 in the last few months. Thanks so much to you all for following &amp; engaging with my posts - what a ride so far! If anyone can help me push to 2000 by the end of Jan that'd be hugely appreciated! 😀 $TSLA #Tesla

25113) 0.1531) @JCOviedo6 Lol.  There is no $tsla semi at all.

25114) 0.4767) The magnitude of Tesla's inclusion into the S&amp;P 500 index is NOT measured in "hundreds of millions of dollars" but potentially in hundreds of BILLIONS of dollars if the stock adjusts to its intrinsic value before the eventual inclusion in Q2'20.  $TSLA #NotSellingAShareBefore5000

25115) 0.5255) Goood Morning $TSLAQ!   I appreciate your efforts to cement the long-standing belief that most of you are bat-sh*t crazy. Apparently, $TSLA is going to file Chapter 11 &amp; the stock will be ZERO.  'Real' shorting will begin at $100.   NOTE: We are currently over $542 in Pre.  😘  https://t.co/UxkwfOUBt6

25116) 0.2359) Reservations for the $tsla semi were taken with the promise of 2019 delivery.   Now we have “limited 2H production”.  Limited to 1? Where is this being manufactured? With what equipment?

25117) 0.296) $TSLA above $540/shr pre-market. Three-bagger on this trade in just over seven months. Thanks again $TSLAQ. Seriously.

25118) 0.4466) $TSLA SHARES UP 1.7% PREMARKET; JEFFERIES RAISES PT TO $600

25119) 0.1655) @agusnox Who’s afraid of short sellers? There are around 7,000 short sellers afraid of the truth or just other opinions. But $TSLA bulls afraid of short sellers I can’t find.

25120) 0.3612) Thank you Shorties for the pictures ✅   $TSLA

25121) 0.4404) Good point. $TSLA $TSLAQ

25122) 0.5859) So if I understand Jefferies correctly, $TSLA should be worth as much as #Volkswagen - because Tesla might become profitable soon  That is 1999 dot-com boom style

25123) 0.4404) All $TSLA fans/shareholders rn, waiting for the market to open 😂  https://t.co/PmDsqjN8xv

25124) 0.8168) $TSLA is +2.3% premarket. More effort is needed from the short seller community to win! Now it's the time to mobilize family members, friends, colleagues and other patriots behind the Qause!  https://t.co/HGLNFheUHV

25125) 0.3182) Ongoing Tesla advice from the media:  -(stock is down) if you own it. Sell. It’s too risky and will drop   -(stock goes up). Sell. It went up too fast   -(still going up). Ok now sell.   These analysts all missed one or the best buys in years with $TSLA was at &lt;$180  https://t.co/ejlwdxzIyW

25126) 0.6486) 🇺🇸🚗 #Tesla  "Elon Musk wants to produce 250,000 cars in China, and as long as the Communist Party keeps subsidizing them, I think Tesla could have some very, very big numbers," @jimcramer said yesterday - $TSLA gained +9.77% at $524.26 on Monday   https://t.co/SCVKRHTEut

25127) 0.34) Imagine a Wall Street analyst who had never held an iPhone attempting to value Apple? This is what we’ve seen with $TSLA over the last few years. #Tesla

25128) 0.5423) The $TSLA breakout in all its glory.  https://t.co/5SZpP5o8h4

25129) 0.3751) .@ARKInvest have been front line and centre with regards fighting the FUD and educating people on the opportunity we have with $TSLA. Great interview @TashaARK 👊

25130) 0.5256) Tesla will become the second most valuable automaker this month. $TSLA

25131) 0.3182) I have this theory - the more public $TSLAQ made their views, the more institutions bought Tesla.   Consider $TSLA % increase since:  -LA Times TSLAQ article: +92 -Tesladeaths tracker: +79 -Montana returns: +45 -TC Chartcast: +45 -Aaron manifesto: +12  https://t.co/TKq025D6V2

25132) 0.2617) "My estimated range is 360,000 to 400,000 units for 2020, which matches Tesla’s guidance for 2019. Production capacity at Tesla is certainly growing (hence the stock price jump) but I don’t think sales will."  Bullish.  $TSLA $TSLAQ  https://t.co/thFtsSwoVs

25133) 0.9612) #ExplainBABYCharts #FraudWatch day 348  Don’t lie #BABYcharts. Everyone knows how much you like a good 💩 put, Mr. I’ve never been more short... over $300 ago 😂🤣😂🤣😂 #TSLAQbagholder2020   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/fHiJESJs9d

25134) 0.8074) Just as it’s here in the US, a lot of #Tesla owners are also $TSLA investors. Due to Tesla getting popular among 🇨🇳 millennials, it seems there is a lot of inquires about TSLA on FUTU, a popular platform for buying US stocks. I expect money from 🇨🇳 will help push TSLA higher.  https://t.co/BpfONjSuJx

25135) 0.5574) Cathie Wood, my hero. Look what she predicted last year. $TSLA.  https://t.co/qIyoNsqfkz

25136) 0.5354) LOL  Sorry not sorry BB - you've been a mean one.  $TSLA $TSLAQ

25137) 0.4199) Is Tesla like a cult? Let's do a thread of the five elements and see where we end up! $TSLA $TSLAQ  H/T to @Horganism for the definitions 1/6  https://t.co/UdLQaVl77W

25138) 0.836) Crazy Eddie Memoirs: In our day, all it took was buying someone a $10 lap dance to gain access, win friends, and influence people. $TSLA $TSLAQ

25139) 0.4019) $TSLA $420B by end of 2022, definitely.

25140) 0.6705) Popular new diesel cars exceed emission limits by up to 115% when they regularly clean out particulate filters during driving 🚗⛽️💨  https://t.co/8NDEpndxQL $TSLA #Tesla #EV @SR4__SR4 @elonmusk  https://t.co/eY34ml4m9e

25141) 0.2382) @WPipperger Absurdity: seeing $TSLA as a good short at $200 but not at $525.  https://t.co/yVBxjWUH81

25142) 0.1298) Weird, it's *almost* like this Instagram account that only has 3 posts, ALL Tesla is another #Astroturfing account.  Remember, per SEC filing,  $TSLA spent $70 million in marketing, promotion and advertising in 2018.  #TheSociopathicBusinessModel #FraudFormula $TSLA  https://t.co/4X0l32Py0T

25143) 0.3182) A rising stock price changes how the underlying business is performing? Sure folks.... $TSLA

25144) 0.902) Hey, @elonmusk, love my $tsla, but could you extinguish the flames? But, just to be clear, really love the car, and admire how you're saving the planet. (Also, I agree, Vern is pedo &amp; skabooshka is one step away from serial killer.)

25145) 0.8777) When your non Tesla friends start sending you links to Tesla stock.. more free advertising for $tsla  @elonmusk - if you'd like to top yourself, pls show up at the #SuperBowl and just leave the cybertruck in the parking.  Hey - I get ideas ok.  https://t.co/zCfmLF0bSo

25146) 0.4215) Waves to Paul   😘  $TSLA $TSLAQ  https://t.co/jCnIfDl0Gd

25147) 0.8053) hey #tesla fans who remember the old referral programs.  Space pic thing is seemingly never happening.  Will the #Model3 referral wheels come to pass?  Raffles for Y or Roadster?   I wish I could trade my referral wheels for few shares of $tsla :)

25148) 0.4767) Agree. When it's a $1t company people will be in disbelief that anyone got to scoop up the cheapies. $tsla

25149) 0.4404) Can there be a better sign for the stock having more room to run than "bulls" trying to talk it down on Twitter?  $TSLA #NotSellingAShareBefore5000

25150) 0.6377) $tslaq - don't worry. This is just a dream. If you pinch yourself you will wake up and see $tsla at $77.  Yup. Just pinch yourself hard.  ...  Harder.  Keep pinching.   $50 now.  Wake up to see it.  Jk. Sorry guys.   Thank you for your money.

25151) 0.7677) @GerberKawasaki The question I have is what do you do with the proceeds? Reinvest? Then where?   The only things I can think of worth owning are $TSLA, bitcoin and the stock market index.   I’m sure there are other good investments of course. I just don’t haven’t gotten conviction on anything.

25152) 0.4404) "Making the world a better place," by  using Tesla Autopilot Full Self-Driving #FSD illegally. Instructed by $TSLA CEO @ElonMusk's off label promotion on national television. @SenMarkey @NHTSAgov @USDOT  @TheJusticeDept @FTC recall Tesla's deceptively sold autonomous products.  https://t.co/Nx8wc1QN0J

25153) 0.5106) Told ya. The fun is yet to come.  $TSLA #NotSellingAShareBefore5000

25154) 0.3802) i will immediately tweet the moment i get a text message from a relative asking about whether to get long $TSLA. i promise!

25155) 0.6597) Yeah, we’re way past $300 ago now 🤭  $TSLA 🥴🤡 $TSLAQ 🤡🥴

25156) 0.296) @GerberKawasaki good advice. the problem is the 30% tax hit for short-term capital gains. it dramatically cuts the earning potential of your investment compared to long positions 💪😎⚡️ $TSLA   “The big money is not in the buying and selling. But in the waiting.” – Charlie Munger

25157) 0.4404) Baillie Gifford made about $4 BILLION in profits in $TSLA since 9/30

25158) 0.8922) The Tesla community is appreciating your recent found love for $tsla but certain active members like @vincent13031925 are still being blocked by you @jimcramer. The battle is over🤗

25159) 0.9299) You must understand when you are lucky, like we are now with tesla. Dont be greedy, pigs get slaughtered. Imagine how you'll feel if it drops back to $420.. LOL that was 13 days ago. Be smart kids, please... $TSLA

25160) 0.8432) So I have this trading philosophy. If I buy a stock like tesla at $250 lets say. Now its over $500 in 6 months. I can sell enough to take out my original investment and then hold the rest forever. Then you can never really lose. I do this in vegas too. When I get lucky.. $TSLA

25161) 0.357) My condolences to any buy side analyst that has $TSLA in whatever index they're comped against.  I can't imagine being forced to make a call on this POS.

25162) 0.5423) @brodieferguson @GerberKawasaki Well how are you supposed to realize any gains when you buy shitputs and short $TSLA?

25163) 0.9291) So bottom line if you're not sure what to do with your tesla shares, give me a call 310-399-6397. We'll take an overview of your situation and make some recommendations as to whats best for your situation. This big gain is a gift so please dont F it up. $TSLA

25164) 0.5106) The fun is yet to come.  $TSLA #NotSellingAShareBefore5000

25165) 0.6329) Lesson, If you're young and not with leverage. Just hold it and ride it long term. Add your new money to new positions. If you're older, take profit and keep within a defined risk allocation you're comfortable with. I dont regret taking all those profits along the way but.. $TSLA

25166) 0.2732) @munster_gene “We were surprised to find recently reported trading data in the month of December that short interest only decreased from 15% to 14.3%”  Don’t be. $TSLAQ bears won’t give up until they are forced to cover. $TSLA is simply adjusting to its intrinsic value.  No short squeeze, yet.

25167) 0.3919) Understated in $TSLA's comeback is that their window of opportunity has reopened as the economy continues to grind forward, China soft-lands &amp; consumers spend on bigger ticket items like housing. Execution is a big part of it too, but just that -- only one part.  https://t.co/3KLRHau5O6

25168) 0.783) Just back to internet coverage on my trip. And what do I get notification on. Well $TSLA smashing that 500 out of the park !!! ⁦@Tesla⁩ ⁦@elonmusk⁩ I reckon a hearty congratulation is long overdue.  https://t.co/4AlPmhXm2B

25169) 0.891) 🤣🤣🤣🤣  No further comments needed  $TSLA

25170) 0.6679) Fellow $tsla longs:  If you bought shares in the last 12 months, you can afford to let the stock drop 15% or more and still make the same amount of net cash.   Meaning - you can afford to ride this to your 1 year anniversary and get a bonus b/c you get taxed less.   Don’t sell!!!

25171) 0.4404) (That’s funny, I thought a range of $10-500 would do it 🤔) $TSLA

25172) 0.3818) If you think $tsla is done with growth... think again.

25173) 0.8612) @ihors3 Ihor, you are Gods gift to the if Twitter and #tesla $tsla community. these updates are greatly appreciated. thank you very much!  I am looking forward to tomorrow’s update to see if the SI dropped from today’s 19.99%  🙏

25174) 0.4846) Not to mention the analyst who he's making fun of here, raised his price target on $TSLA to $385 on 10/24/19, while the stock was below 300. So pardon me Jim, but Colin Rusch and Oppenheimer have way more credibility on the stock than you do here.

25175) 0.4404) Already enough about tesla shorts. That game is over.  What do we do with our long position... Let's be real, you have to take some profits here... right... $TSLA

25176) 0.3919) I hate to say it, but now's the right time for Tesla $TSLA to do a secondary.  $2 billion for just 2% dilution. Well worth it.

25177) 0.3626) I’m sorry. What made $TSLA 9.5% less valuable on Friday compared to today?

25178) 0.4215) Shhhh....  hear it $TSLA?  That's the sound of Margin Calls going out as we speak.    RIP $TSLAQ  😘  https://t.co/MxaFVP9Hrp

25179) 0.5106) Fun fact: $TSLA went up by $15 for every single vehicle it sold in its second-largest market, Norway this year.  $TSLAQ

25180) 0.9395) My good man, would you be so kind as to sell me a BAG of these fresh tulips for $500 a piece?  I'm sure they'll be more fresh and worth much more tomorrow  $tsla $tslaq  CC @BagholderQuotes

25181) 0.9201) $TSLA sum of the parts analysis:  Automotive business: $0.00 per share Solar business: $0.00 per share Energy business: $0.00 per share  Entertainment value: $524.86 per share

25182) 0.5574) Just in: Nasdaq plans special late-night opening tomorrow to allow people with jobs to buy some $TSLA too  https://t.co/sOhO48uaF7

25183) 0.0951) Never assume any part of the $TSLA / $TSLAQ story can't get any weirder.... Right, @kimbal?

25184) 0.2579) I wouldn't be surprised if this opens at $580 tomorrow  We're living through something special, which we can tell our grandkids  $tsla $tslaq

25185) 0.5093) #MJofTa Kaz doing what he do! #EmojiTa 😈 $TSLA  You know where it’s at.... ❄️ 📺  https://t.co/kCjfKiPVHq

25186) 0.9032) How about $TSLA is now like kickstarter? Now that #FundingSecured has been achieved there could be "Stretch Goals" at each $100 increment. Today $520  UNLOCKED - Get ready Chanos! 😇🤣  What stretch goals would you include or want? Let me know in the comments  #TESLA @elonmusk  https://t.co/jrniGtarv8

25187) 0.9153) ❗️@jimcramer  praised @elonmusk , saying that he “the new face of an auto executive ”and praised the cars Tesla manufactures:“ Your car becomes an exciting, an exciting place to be.”❗️🚘💯  $TSLA #Tesla #tslaq    https://t.co/q3cDZRxf89

25188) 0.3182) A moment of silence, please...  ... for the "bulls" still waiting for a dip.  $TSLA #NotSellingAShareBefore5000

25189) 0.3818) I was alive during the $TSLA mania of 2019-2020s  $tslaq

25190) 0.7717) Amazing what 4hrs difference makes. 😂  $TSLA 🥴🤡 $TSLAQ 🤡🥴

25191) 0.6901) If you invested in $Tsla just $25,000 when Elon bought more shares in May 2019, you would have yourself a new #Model3 for yourself and 25K intact  That's how you play this simulation @elonmusk @tesla_talks   @thirdrowtesla @28delayslater @TeslaPodcast @ray4tesla @JayinShanghai

25192) 0.4215) Tesla short squeeze gaining speed. $525....+$46/share today.  The final 2 days of this squeeze should be epic. Epic.  $TSLA

25193) 0.0521) Wild on $TSLA - and since the start of this squeeze all the call buying has been in $600+ strikes - no doubt people think it's going higher  It's wild b/c the co isn't valued on any metrics, so what's the diff between being overvalued at 300 vs 700? Nothing. It's just insanity.

25194) 0.3182) $tsla 600-800 strike buyers lol  https://t.co/1iSmdYPgi3

25195) 0.6597) @Hipster_Trader $TSLA could fall 10% and it would only fall to yesterday's price. What a joke 🤣

25196) 0.743) I want to congratulate everyone at @Tesla. You have worked your asses off! Enjoy the fruits of all your very hard labor.  $TSLA  https://t.co/CZ5TGqjfYy

25197) 0.6767) Remember when $TSLA stock hit $420? ☺️  That was less than a month ago and $320 was less than 3 months ago.  When will it hit $620? 🤔  Still no #ShortSqueeze... When it happens we could gain $100 in one day 📈🚀  https://t.co/iGaX50uTW7

25198) 0.6542) @boriquagato something happened in q3 that was far more material than previous Qs.  They use gimmicks every Q sure, but something in $TSLA Q3 caused them to have to call out non-recurring gross profit benefit for the first time.

25199) 0.0772) The funny thing is - even now, $TSLA stock is still lagging badly versus its own topline revenue growth over the past five years - by a factor of nearly 3X.  https://t.co/bHIUa5odBU

25200) 0.3612) Guys, $520 is NOTHING for $TSLA It's like driving in Chill mode with creep  Wait until #TESLA goes plaid with FSD  $5200 will be something  @thirdrowtesla @ValueAnalyst1 @28delayslater @TeslaPodcast @Gfilche @ARKInvest @CathieDWood @TilmanWinkler @DMC_Ryan @marc_benton  https://t.co/rX8S9yBZ9E

25201) 0.4215) $TSLA up 40 points lol

25202) 0.3612) Today Elon be like   #Tesla $TSLA  https://t.co/glkAvsPwcA

25203) 0.34) $TSLA Throwback to the time my dumass spotted this ascending triangle yet waited for a retest to entry.  I still could've waited for a retest to add more while taking an aggressive approach and stop-buying some after the breakout  Trading is a game. Always room for improvement.  https://t.co/zDSj1kHQdD

25204) 0.4767) Quiz: According to the current speed, how long until $tsla reaches $700.  Answer:  5 working days. 😂  #Tesla 🚀🚀🚀

25205) 0.8481) I don't follow $TSLA that closely, but a quick review of their 10Q suggests they could retire all of their debt by diluting just 14.5% of their common shareholders. Assuming such a deal could get done, my guess would be that it would be a net win for the stock.

25206) 0.4404) @ElonsWorld shilling and pumping $TSLA since IPO 💪😂⚡️  https://t.co/HBG6lf9y6c

25207) 0.7712) Been looking forward to this day, when $TSLA would @AndreaSJames's price target of $500! Congrats to my fellow longs 😎

25208) 0.7815) $TSLA is $13 away from our $530 price target. I need your help. What is next? Time to take profit? Time to short the stock? Time to double up positions? Let’s crowd source research! 😜 #Tesla

25209) 0.5508) Do not adjust your screens folks. This is really happening! $TSLA 😎👏  https://t.co/lUa3oikTOq

25210) 0.8428) $TSLA is so cash flow positive, it can't afford the $59k it owes Tyco Security for work SCTY employees emailed was approved &amp; should commence immediately.  https://t.co/ZDD8n6TkC8

25211) 0.6239) @ElectrekCo @BradBerman Translation: We can’t make good enough EVs that at compelling price points to compete with Tesla! $TSLA @elonmusk

25212) 0.7309) Potential $TSLA projection, still looking for 570 minimum for the larger degree III but on the smaller degrees, can see up to 523/524, a retrace to demand at 504/505, then blast to 570 into ER. So far so good!  https://t.co/a3kxEc2Tfa

25213) 0.1754) $TSLA share at #AllTimeHigh above $500 for the first time 🤩  I’m now up +100% on my investment 😃👍🏻  Still no sign of $TSLAQ shorts 🩳 covering.  In 25 years in the industry, @ihors3 has never seen shorts like these 😬  That #ShortBurnOfTheCentury will be something special... 🤪  https://t.co/H6iuWifAb2

25214) 0.6705) $TSLA Q4 earnings call preview: Elon announces that all Tesla vehicles will be "time travel capable" by end of 2021. Timing of regulatory approval is only uncertainty. Stock goes to $4,000. Cathie Wood raises her price target to one bazillion per share.

25215) 0.4588) $TSLA outperforming all of your favorite altcoins  https://t.co/9Um54c9yoV

25216) 0.7777) Raise your hand if you love $TSLA and bought a #ModelS in 2014 and believe in the company but never bought a single share of stock! 🙋‍♀️  Oh wait that’s just me 🤦‍♀️

25217) 0.5267) @QTRResearch $TSLA has second lowest short interest ratio ever as of Friday’s short  interest data.  That other previous time the stock dropped 30% in next 8 months.

25218) 0.6249) seeing lots of $TSLA charts floating around today  was a great A&amp;E bottom before the  current rally  https://t.co/clhKZeUXkZ

25219) 0.743) Tesla Short Interest Rises 818,000 Shares Despite Stock's Five Percent Gain  Even being only 13 days into the year 2020, short sellers have already lost a combined 2.24 billion dollars.  $TSLA   https://t.co/vmzonjZUmE

25220) 0.8689) Mentioned to my in-law today that he should keep an eye on his $TSLA as it's up 200% and to make sure he secures profit.  An hour later he tells me he 'trusts me and just sold at $517.00.'  Let's see if this comes back to haunt me. 🥴😂 @scottmelker

25221) 0.7357) The short interest in $TSLA is still high, as expected and proclaimed. It is one of the highest short interests ever in history in absolute value, so I find it really odd that people say the short squeeze has played out. $TSLAQ bears are yet to awaken. #NotSellingAShareBefore5000

25222) 0.8555) Interesting that as $TSLA melts up, insiders aren’t dumping shares...  Because most of them unloaded all of theirs in Jan-Apr of 2019 at $200-300/share.  Why are we making fun of the shorts and not those dopes with superior info?  $TSLAQ

25223) 0.7269) Lol this is fun $TSLA 🚀🚀  https://t.co/8zMXoaKEhG

25224) 0.25) Tesla Model 3 Sales Dominate Midsize Luxury Market Despite Phaseout of US Tax Credits  $TSLA #Tesla #Model3    https://t.co/KdCFjBCRBF

25225) 0.6322) Me, 5 weeks ago:  "If I'm right, and you're sitting on the sidelines waiting for the stock to drop as it passes $350, $400, $500--what then?"  Watch the full video here:  https://t.co/avkB3GKrtp  "Waiting For #Tesla Stock To Dip? (good luck)".  $TSLA #investing #stocks #agedwell  https://t.co/9jQfypw5Ut

25226) 0.2732) Well that was fast  $tsla  https://t.co/BXDlyGHU9i

25227) 0.3818) Tesla helps rising stock prices of Chinese car parts manufacturers  $TSLA #Tesla #China    https://t.co/TJadSrirlh

25228) 0.4404) $TSLA  Good time to buy?  https://t.co/L3n3ZEcQhR

25229) 0.6705) feel like I have to do a livestream about $TSLA today ... 😁 #518  https://t.co/2uSQwg0wOt

25230) 0.8555) Gali from May 2018.  Always thought this was a good explanation of what a 'Short Squeeze' is and relating that to Tesla historically when it had a massive increase.   I'd love to know technically where we're at now.   @Gfilche @HyperChangeTV $TSLAQ $TSLA   https://t.co/tFkLrGJNjj

25231) 0.7688) "What's really interesting, is we think this is really the turning point where people are starting to realize that $TSLA really has an advantage, other auto companies just aren't catching up, &amp; we're excited for it." Full convo with @TashaArk here 👇🏼  https://t.co/CgMK90blw9

25232) 0.7003) $TSLA IS POPPING OFF BOYS. 5.16, 500$ profit today😂

25233) 0.7906) If you liked shorting $TSLA at $380 you should love shorting it at $515 $TSLAQ

25234) 0.6597) When you are waiting for a dip in $TSLA @ValueAnalyst1 😅😂  https://t.co/phXCOt7h66

25235) 0.97) $75 FREE Giveaway!!!!   Made absolute BANK off $TSLA today so we will thank @elonmusk and giveaway some ca$h.   RT this and reply to this tagging two friends to be entered to  win $100   Must be following myself and  @SimbasStocks!  Winner picked tomorrow 10am 😘

25236) 0.3802) At this moment, I realized....I f**ked up....28% increase from my average selling price today... $tsla - really expected a pull back before such a run!

25237) 0.5719) Happy Monday $TSLA fam. 🤑🤑🤑  https://t.co/55PVoNfkAb

25238) 0.4215) 9 months ago I irresponsibly threw my entire liquid net worth at $TSLA at $200/share. It just broke $500.  Today is an excellent day, Twitter.

25239) 0.4404) One good thing about a stock price above $500 is the screenshots the stock price bro’s plaster all over my feed.  Keep it to yourself if you trade on Robinhood.   OK.  Self reporting to @BagholderQuotes  $TSLA $TSLAQ

25240) 0.4939) I will note it when $TSLAQ is in a short squeeze (it's not in one, yet), and I will also note it if and when $TSLA is ever overvalued (not even close right now), so why not just sit back and enjoy the ride #NotSellingAShareBefore5000

25241) 0.4019) 520. Funding secured. $TSLA

25242) 0.8777) I’d like to thank #Tesla and @elonmusk for be amazing, and giving me a chance at retiring some day! $TSLA 🔥 🚀  https://t.co/oXuiA80NUo

25243) 0.296) $TSLA about to go Volkswagen parabolic   26.3M shares still short as of last count ...

25244) 0.6114) $TSLA Bet they are happy today!  https://t.co/Mo6cEBwzF5

25245) 0.5893) Define absurdity... LOL! $TSLA $TSLAQ  https://t.co/X9P1wGuf7W

25246) 0.7891) On June 29, 2010, Tesla Motors launched its initial public offering on  the NASDAQ. With 13 million shares at a price of 17 dollars per share, fast forward 10 years later and $TSLA has surpassed the 500 per share mark for the first time ever!!!🌎⚡️  https://t.co/tLzLfvhRiG

25247) 0.8988) If you know someone at work who drives a @Tesla or owns $TSLA, befriend them.   They are most likely smart, nice and funny :)  https://t.co/AHSUEqJd6L

25248) 0.6369) Reminder that $TSLA is Jim Chanos’s best short.  https://t.co/BzhR66TDmf

25249) 0.3818) 1/ $tslaq are charged in the US primarily by power made from fossil fuels. It is a gigantic hoax to state that $tsla is a sustainable energy company...yet Elon Musk's paid articles glorifying him as a genius are paying off.

25250) 0.9488) I love seeing this, an American company with American labor disrupt one of the hardest industries to enter and then it’s supported with amazing growth and a share price that barely reflects their progress and achievements. @Tesla #Tesla $TSLA ⁦@elonmusk⁩ ⁦@mayemusk⁩  https://t.co/Y2JdVBPM58

25251) 0.34) China backing off from ending subsidies for electric cars--  Huge for Tesla; could raise numbers, $TSLA..

25252) 0.4404) @RampCapitalLLC $tsla cause if something happens on Earth, Elon is our only hope to transfer to another planet

25253) 0.3612) You smell that? Smells like $TSLAQ #DumDum margins calls 😋   $TSLA  https://t.co/mWJ6YL0edG

25254) 0.7184) …and remember, you can stay up to date on Short Interest for $TSLA and your other favorite stocks by subscribing to our retail tool:  https://t.co/5PnPHIXp9k

25255) 0.4019) “Tesla announced it would begin leasing its vehicles from its Milford service center, noting that state law does not prohibit leasing of its vehicles to interested drivers who would then have option to buy automobile online or out of state.” #ConnecticutFranchiseAct 🏣🚫 $TSLA

25256) 0.8402) Happy $500 $TSLA 🎉🥳

25257) 0.8473) $TSLA. I have no disprespect for the $TSLAQ shorts. Many are incredibly smart. But they don’t see the parallels between Tesla and IPhone and Amazon. And they don’t understand that as new EV competitors enter the space, it actually helps, not hurts Tesla.   https://t.co/klXYG19dYg

25258) 0.296) $TSLA goes screamingly vertical as short interest on the stock hits historical lows.🤔

25259) 0.5053) Updated version of $TSLA stocks!!  Tesla is configured for flight 🚀! Reached astronomical heights of  5 0 0 $ ✅💥⚡️@elonmusk  The shortsellers need more short shorts! 🤣  https://t.co/w7cR6TmFb7

25260) 0.2023) China-made Tesla Model 3, hitch a ride China's battery makers and car part producers to the top of investor portfolios 📈💵💼  $TSLA #tslaq #Tesla #MICModel3  https://t.co/8A3QUJ0KYg

25261) 0.5411) $TSLA reaches astronomical heights—again! 🚀💥 @elonmusk 420$ ✅ 500$ ✅  What’s next? 😄  https://t.co/as6NZ2RzWH

25262) 0.2144) i wish i took my own advice.  (but also this has now been adjusted upwards to $606.06)  $tsla $tslaq

25263) 0.3818) "Elon Musk is a statesman." - Jim Cramer  Sure he is, @jimcramer. You might want to read his new book. Preorders begin January 20th at  https://t.co/5oTxHGx40E. $tslaQ $TSLA  https://t.co/xvyiySBnDO

25264) 0.296) $Tsla just hit $500 and not too long ago we were squeezing oranges at $250. Don’t become extinct. Join the EV revolution.  https://t.co/CZKNbsJXYV

25265) 0.5283) Dont be mistaken because of $tsla stock price increase. It is still  an undervalued tech stock. YE 2020 SP will be double of YE 2019

25266) 0.2263) $TSLA is still grossly undervalued for what this holy company will accomplish and how far ahead it is compared to the competition.   ⬇️Competition trying to catch up⬇️  https://t.co/TAv6e6WsZI

25267) 0.9081) Goooood Morning $TSLAQ I would think there would be easier stocks to Short - but, well...  Good luck to you.  'ish'.  $TSLA  https://t.co/GkL6c0tfnG

25268) 0.5719) Just reminding everyone how *crazy* @TMFSymington was to call Tesla a value stock back in June when it was at $220/share.  Now trading at $500, $TSLA's stock is up 127% during the past six months.   Excellent call, Steve. 🚀

25269) 0.5719) By randomly taking profits &amp; waiting for pullbacks, you are pitting your chart-reading skills against algorithms that have analyzed petabytes of historical trading patterns.  By buying &amp; holding, you are back to playing against shortsellers &amp; everyone that doesn't yet own $TSLA.

25270) 0.296) Hold $TSLA for 5 years, you can become ridiculously rich.

25271) 0.7717) As Tesla shares top $500 for the first time, here's a reminder of why Shark Tank's @BarbaraCorcoran says she loves $TSLA and @elonmusk so much ⬇️

25272) 0.5574) That puts $TSLA at a fresh all-time high as it continues to soar on its entrance into China and optimistic delivery figures. The stock has more than doubled over the past three months, according to FactSet.  https://t.co/ZQlVLqgPhO

25273) 0.7287) Highlight: $TSLA crosses $500. “I have to say I’m pretty amazed at the run that we have seen,” says Crossmark Global Investments’ @victoriaf322. “The balance sheet just did not warrant us taking a position in it, and even still, there’s so much uncertainty within the company.”  https://t.co/sxJ9g6IjCl

25274) 0.1027) My $TSLA stock just reached 100% returns.  https://t.co/gZnzetKw7c

25275) 0.6114) Happy Monday everyone! $TSLA @Tesla @elonmusk $TSLAQ  https://t.co/wgTqW2AdHT

25276) 0.6114) Happy Monday! $TSLA  https://t.co/qtwzjRcRE8

25277) 0.296) #MarketWatch $TSLA shares surpass $500 for the first time ever as electric automaker continues record breaking climb

25278) 0.4404) Easy trade on $TSLA this morning, done at 9:34:17 @BearBullTraders   #DayTrading #trading #stocks #BBTfamily  https://t.co/AE9OPBCX55

25279) 0.3089) Colin Rusch, often with no nonsense analysis, made the right call. Others will follow. 620  is the new  420. $tsla

25280) 0.5561) Every second wasted on discussing short-term price action is a second that could have been used to discuss *and expand* Tesla's long-term potential, so please, do not tag me on short-term price action discussions. Thank you.  $TSLA #NotSellingAShareBefore5000

25281) 0.7965) $TSLA over $500! Amazing I have no doubt we'll see $600 this year and maybe even $690 ;)

25282) 0.5106) I’m looking at Tesla $500 at the open. Fun times. $tsla

25283) 0.0516) (2) The new $612 price target comes from raising the multiple to 30x (from 25x)...on the 2024E estimate of $28.67, discounted back at 12%. At least he’s being conservative. $TSLA

25284) 0.2263) I guess we’re not rushing out earnings for Q4 are we? Last Q announced the 9th and release the 23rd. Still think it surprises to the upside $tsla

25285) 0.8766) It’s amazing. More upgrades and huge price targets for Tesla. When... At ATH. Wall Street is a joke and total joke. #tesla $tsla

25286) 0.5994) In 2025 $TSLA will build several millions of robotaxi's at the cost of 20K a piece, While worth well over 100K. Tesla today is worth only 86Billion. @ValueAnalyst1

25287) 0.4199) Friend Ahmed's brand new @Tesla M3 getting Quarters thrown at it by an #ICE red Camero on 5 freeway in L.A. Putting a new spin on how $TSLAQ troglodytes throw $$ away trying to stop @Tesla! @LAPDHQ on it. @28delayslater @AlterViggo @elonmusk $TSLA @ResidentSponge pls retweet.  https://t.co/iEW2UzdtPH

25288) 0.7845) Nice article on ARK. They do great work. ⁦@ARKInvest⁩ #tesla $tsla   https://t.co/TkA3HKOOBC

25289) 0.8271) Oppenheimer raises Tesla PT to $612 from $385 saying “We believe the company has reached critical scale sufficient to support sustainable positive free cash flow." $tsla

25290) 0.25) @zerohedge @davidtayar5 VW claims they will be selling 3 Million electric vehicles a year in 2025. Guess who has a 10 year head start on them? Yep you guessed it $TSLA. And Tesla won’t have to write down the losses from millions of unsold ICE vehicles like VW will.  https://t.co/GfNQ4t4HkB

25291) 0.886) It's nutty that many legacy companies have "investment-grade" credit ratings even with insanely leveraged capital structures and negative free cash flow, while $TSLA is still rated "junk" with its decade-long competitive lead, solid capital structure, and positive free cash flow.

25292) 0.714) A few folks who traded out around $400 are trickling back into $TSLA at higher prices, and although the stock may or may not dip before/after earnings (unlikely, but who knows), I expect them to be happy with their decision in the longer term. I, OTOH, #NotSellingAShareBefore5000

25293) 0.7096) "Tesla shares pushed higher in pre-market trading Monday after analysts at Oppenheimer boosted their price target on the clean-energy carmaker to a Wall Street high of $612 per share and called for its inclusion in U.S. equity benchmarks."  $TSLA $TSLAQ Q   https://t.co/vanb9K1UaF

25294) 0.836) Rest In Peace $TSLA shorts - May your poor bear bias heart sleep peacefully. This is a lesson to not try to front run a correction and assume top. Why is this bearish? Sold off On HEAVY volume into demand, barely dented the stock. That’s called massive order absorption $TSLA  https://t.co/cv3havCMaI

25295) 0.8271) Oppenheimer raises PT on $TSLA to $612 from $385 saying, "we believe the company has reached critical scale sufficient to support sustainable positive free cash flow."

25296) 0.6588) Great meetup.   So many people, so many cars, lots of test drives!  Even had a a @Tesla modified to V8  $TSLA @elonmusk   https://t.co/Kr9WAn0BpQ  https://t.co/xMe6wsBgEe

25297) 0.6312) $TSLA - another Fun Fact# 1: it should’ve been caught by outgoing QC inspection on critical safety items.  But, we know Tesla got rid of a lot of their QC team.  Fun Fact #2: other OEMs have this error proofed by systems that would count total number of bolting sequence and turns

25298) 0.3182) Morgan Stanley. CIBC. UBS. Deutsche Bank. JPMorgan. Credit Suisse. They've all read our $TSLA Reality Check report. How many of their so-called analysts will start asking serious questions this week?

25299) 0.296) I will hold at least 1 share of $TSLA for my entire life ❤️🚘

25300) 0.4118) It's interesting to see that at the current price, there is a divide between the $TSLA bulls, essentially on their different theses on FSD.  All bulls are agreeable on the giga-potential of EVs, but many are still showing their middle finger to Elon on FSD.

25301) 0.5411) #ExplainBABYCharts #FraudWatch day 347  Wait... #BABYcharts called PaulieDumDum a flat earther?! 🤣   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/hV8yLZWKlh

25302) 0.4574) Say it ain't so! Greta's a fraud? She'd be the perfect brand influence for Tesla, who also pretends to care about the environment.  #TheSociopathicBusinessModel #FraudFormula #ClimateChange $TSLA

25303) 0.3182) Adam Jonas sold 800k $TSLA shares before the epic rally. I bet they regret it now 😂  https://t.co/hWAs8vjL1U

25304) 0.4019) Baggie considered selling $TSLA  "The biggest shareholder in Tesla after Musk was so concerned by a string of setbacks hitting the electric car company last year that it commissioned a special internal review to decide whether to reduce its 10% stake."   https://t.co/blJ7ztoqUV

25305) 0.6908) Truly they are. Lol. $tsla #Tesla

25306) 0.8368) @28delayslater The more $TSLAQ can convince people that $TSLA hit its high mark, the more they can convince people to sell to bring the value down. Personally, I  think the news that the EV subsidies in China aren’t being cut will more like result in an increase tomorrow. (Not advise).

25307) 0.3182) My article in @cleantechnica shares the story of @AndreiBulu's friend whose Model 3 and a few other vehicles got broken into.  $tsla

25308) 0.264) It was announced recently that @Hyundai is going to be investing $87 Billion....yes...Billion in EV's and Mobility Solutions over the next 5 years. Remind me again, what's @Tesla's market cap? How much is $TSLA investing? Reality will catch up soon here..   https://t.co/joEWJtsGvy

25309) 0.4005) This is still the most badass product reveal I've ever seen  #Tesla #Roadster $TSLA @Tesla @elonmusk  https://t.co/vLcECoOGEW

25310) 0.7712) All these $TSLAQ shorts are going to get their hearts ripped open when Tesla reports Q4 earnings! 💔 🔪   Sit back and watch. 👀   $TSLA #Tesla

25311) 0.4404) I hope none of the hosts have traded $TSLA stock in the time since this not-yet-released podcast was recorded...

25312) 0.25) A friend finally got his rav4 hybrid after a deposit wait from june 2019. $49k (short range $tsla model 3 with no AP is $74.5k aud) He did a 300km drive including 50k of forest firetrail and got 51 american mpg  https://t.co/AZFYQ6ILQR

25313) 0.4939) THIS DAY IN $TSLAQ HISTORY:  Will 2020 be the 'heavy paperweight' year for $TSLA instead of 2019? 🤔🤭  @posicaprinia 1 year ago:  https://t.co/yz1gbRpffA

25314) 0.8356) $TSLA is the next DMC DeLorean. It will be a great collector's item. Make sure to have at least 1 share certificate to post on your wall! You'll be able to tell people how some idiots paid $500 for it. #delorean #Tesla I'M #SHORT  https://t.co/GQ1IDUDVWJ

25315) 0.7506) $tsla #Tesla For the entire December short interest was down 10% to 26 million shares. Short ratio is currently at 18% of floating shares.  Another $200 squeeze on the way.  https://t.co/u1Urq6lhAM

25316) 0.6124) @BradMunchen @doogiekidd $TSLA has more control over their delivery number than bears give credit for. Drop price, fleet deals - there are multiple levers to pull. They can hit whatever delivery number they put out (within reason). What they can't do is hit a high delivery number profitably.

25317) 0.8074) Sure, @Tesla is nowhere near capacity right now and is not making money at their existing factories. Perfect time to expand to North Carolina.  $TSLA   https://t.co/cwgnyjk1yA

25318) 0.5106) EV rental company UFODrive use Tesla cars to provide quality services 🚘🚘🚘 During the rental, the client can charge their car for free in the Tesla Superchargers ⚡️🔌🔋  $TSLA #Tesla #teslamodel3   https://t.co/rs7KZEbHEj

25319) 0.508) Wow that’s a lot of dedication‼️ Hasn’t become a trend yet but maybe it will once $TSLA reaches 500!!  #TeslaHaircut

25320) 0.7096) So our governmental caretaker's policy-making has come full circle.  @mtbarra kills a true environmentally friendly platform, the Volt, and introduces this battery-laden behemoth to compete with $TSLA.  Why are we rewarding this behavior?

25321) 0.25) IIRC, reports of $TSLA customer satisfaction falling off a cliff in Norway in 2019 immediately preceded significant drop in Norway Tesla sales.

25322) 0.8442) I finally figured it out. Growing up, @elonmusk was obsessed with Knight Rider. In a couple of years we will all get KITT. Who else is excited. $tsla. In the meanwhile, pls don't sleep in the car 🤣🤣.   https://t.co/zp7OPMmrwS

25323) 0.4939) Great article on German factory  - Public Protests - Concerns about water contamination  - Possible unexploded ordinance.  - Unsigned contract  $TSLA $TSLAQ  https://t.co/fwTzvyDKZa

25324) 0.6652) Just my two cents but  unless my count is off, $TSLA is constructing an extended fifth wave of III(refer to price ranges on chart) and we are currently constructing sub wave (v) of 5 of III. If correct, 570 will trade into the ER which is 1.618(W1+W3) feel free to chime in.  https://t.co/kc36ZbNvbR

25325) 0.1027) After Price Drop this is what store across China 🇨🇳 looks like every weekend. Remember to use my referral code if you are looking to buy in China.  #Tesla #TeslaChina #MIC #ChinaMade #Model3 #特斯拉 #中国 $TSLA  https://t.co/jFXBDI8ksY

25326) 0.3254) Here's a couple charts comparing $TSLAQ market cap with other automakers. Market Caps were as of 1/9/20 and revenue and gross profit figures are 2019 figures/estimates. For Toyota, I used their 2019 fiscal figures.  FYI - I know $TSLA is "more than just a carmaker."  https://t.co/mbcjiqKJQU

25327) 0.3182) @ReflexFunds So in summary:  - Cash over $6B - Net debt down by more than half to $1.7B - FCF of $976M  Sure sounds like bankwupcy is imminent.  $TSLAQ $TSLA

25328) 0.6597) Despite a declining market and start of overseas shipments in 2019, @Tesla still grew U.S. unit sales 4% YOY (strength in Model 3 more than offset declines in S &amp; X).  $TSLA had 1.15% of 2019 U.S. market share: for each Tesla sold, Americans bought 87 vehicles from other makers.  https://t.co/5jpI8RSgb2

25329) 0.1697) CONFUSED why Credit Suisse increased price target on $TSLA to $340  from $200 while maintaining its underperform rating on Tesla?  “Since 2016 @CreditSuisse has provided $57 BILLION to companies looking for new fossil fuel deposits”  @vincent13031925    https://t.co/Hfh7wFp4Ij

25330) 0.5106) Following my Revenue &amp; Earnings Estimates in the thread linked below, $TSLA Q4 Cash Flow Estimates: 1)  Operating Cash Flow: $1,476m ($1,031m before Working Capital) Free Cash Flow: $976m.  https://t.co/YmkBhlzayF

25331) 0.368) So now you can program your high-tech wonder car to tell the mundanes that they're losers as you pass by. I predict that some Tesla owners will LOVE this feature, and that it will have quite an effect on the brand. $TSLA

25332) 0.507) A few years late, a few dozens of deaths too early, all for the mission, so who cares?  $TSLA $TSLAQ

25333) 0.3818) I love the car, but  $TSLAQ $TSLA

25334) 0.2677) UK incentives cut the cost of buying a Tesla by 41%!!!  How will Tesla make enough cars?  $Tsla $tslaq

25335) 0.4576) @CathyKichler I think you underestimate the number of woman very engaged in Tesla, EVs and $TSLA , to name a few more than those mentioned (all worth a follow) @SimoneGiertz @johnnaCrider1 @LudaLisl @enn_Nafnlaus @evmom111 @lexiheft @evchels @MissAutobahn1 @BullTesla @kimpaquette @AndreaSJames

25336) 0.4404) Insurance data shows that 45,372 Tesla cars are sold in China 2019. With 33,903 are Model 3 thanks @infoxer for the update. Here is a photo of Tesla Shanghai Gigafactory 3 today.  #Tesla #TeslaChina #Gigafactory #GF3 #MIC #ChinaMade #特斯拉 #中国 $TSLA  https://t.co/bmf0jxHEgv

25337) 0.1225) But he doesn't know better, doesn't even know why he's so wrong.  It's just the perfect embodiment of what's happening here.  I love it.  Larry, don't ever change. Ty for this.  $tsla

25338) 0.3612) New US building codes will make every home ready for electric cars 🏘🔋🔌 “The new codes go a long way to make EV charging as standard as a washer-dryer,”  https://t.co/bOM44O9ITR $TSLA #Tesla #EV @elonmusk

25339) 0.3167) Tesla CEO @elonmusk’s interview in China 🇨🇳 around early 2019.   “Gigafactory Shanghai will be the 1st #Tesla GF out of the US, &amp; will be the most advanced GF as well....I think probably majority of the new cars manufacture will be fully electric in less than 10 yrs” $TSLA  https://t.co/Z1vOqTVb1n

25340) 0.3818) @lorakolodny I’m old enough to remember that all cars built in 2016 were capable of FSD and coast to coast FSD was coming in 2017.  $TSLA $TSLAQ

25341) 0.3182) #Tesla ranks worst amongst automakers in 2019 Norway Customer Satisfaction Barometer.  Tesla fell from #4 in 2018 to #51 in 2019.  Yet, loyalty rate is still high. Go figure, though Toyota is highest.  $TSLA @HandelshoyskBI #TeslaQualityIssues #TeslaServiceIssues  https://t.co/bUTDkHdWGi

25342) 0.4678) @ValueAnalyst1 @Tesla Both already shared but worth repeating...   https://t.co/g4HS2or9nG  @waitbutwhy's series cemented my beliefs in EV and @elonmusk's genius and first principle approach; and...   https://t.co/LABEyrMuQ1  Autonomy Day cemented my view that $TSLA is enormously undervalued.

25343) 0.1027) Here is my $TSLA expiry trading setup. Points to note -  1) IV is at 4 months high 2) Price action shows selling pressure (2nd last candle) 3) Used 15M chart to time my entry 4) Sold Call credit spread &amp; covered next day  ROI 35.7% at deployed capital with just 10% capital used  https://t.co/qd83FCSkHr

25344) 0.3612) GF4 WE ARE READY $TSLA

25345) 0.0772) MP Block List Update, 7101 accounts, FAQ follows.  Enjoy the Silence:  https://t.co/M4YpCAcH3X $tslaQ $TSLA

25346) 0.9062) That is hilarious 🤣🤣🤣  $TSLA @Tesla

25347) 0.4588) Tesla Started Recruit Talents for Germany Gigafactory 4 🇩🇪   $TSLA #Tesla #Germany #GF4    https://t.co/DDeLwLFkXx

25348) 0.1832) $tsla  “NHTSA has investigated 23 crashes in which some sort of advanced driver-assistance feature is thought to have been a factor, meaning that Tesla's Autopilot system represents an outsize portion of the agency's total special crash investigations.”   https://t.co/cG7PZgXmMh

25349) 0.8832) Hope everyone’s having a fabulous new year. Have a wonderful weekend! #year2020 #TSLA @elonmusk @tesla $TSLA

25350) 0.9792) As $TSLA long you gotta 💗 love 💕 Cathie Wood❣️ Her predictions make the future bright❣️

25351) 0.5267) $TSLA investor base should be more informed than that of any other company by at least an order of magnitude.  Please reply to this tweet with a link to the article, podcast, or video that added most to your knowledge of @Tesla and/or the world's transition to sustainable energy.

25352) 0.3182) $TSLA investor base should be more informed than that of any other company by at least an order of magnitude.  To that end, please watch this video:   https://t.co/yqn9toznng

25353) 0.5904) $TSLA investor base should be more informed than that of any other company by at least an order of magnitude.  To that end, please listen to the podcast below. FYI, it's possible to go through it at 2x speed in ~30min while following along the transcript.   https://t.co/WMIcPHUu8U

25354) 0.2714) The perpetual hype machine.  The bulls now admit it - the Model 3 simply unprofitable.  On to the next thing!  $TSLA  https://t.co/32FwsSiKny

25355) 0.3182) In 2-1/2 yrs since Model 3 production began, Pana was behind maybe only 6~9 mo. The rest of the time they had excess capacity. For Q1 '20, Tesla needs to increase Model 3 prod. by ~20% to use up all the battery. $TSLA $TSLAQ #Tesla #テスラ #モデル3

25356) 0.6705) Yup, I’m a bagholder, been holding a huge amount in my bag since $180 in fact 🤣💁‍♂️ $TSLA

25357) 0.6597) Fearless forecast:  Within a year or two, it will be obvious that Tesla has far higher capex efficiency than legacy auto (higher than many tech companies)  Tesla first principles engineering, software and AI will eat the auto manufacturing world  $TSLA $TSLAQ

25358) 0.6124) Bears like Jim Chanos @wallstcynic are still in denial about Tesla's phenomenal capex efficiency  2020-21 includes MY in 🇺🇸🇩🇪🇨🇳, M3 ramp in 🇨🇳, Cybertruck, Semi, solar roof and storage  $TSLA estimates only $2-$2.5B/Y capex, ~75% less than what Chanos says legacy auto would need  https://t.co/Pfu55sAywG

25359) 0.1779) Enron had pipelines. And commercials. And a trading floor. Only the trading floor was fake—kind of like the $TSLA factory in Buffalo, which is largely empty. Didn't even get to include that fact in the report.  https://t.co/lCItPF3KEx

25360) 0.5859) Elon Musk's net worth went up $2.1 billion this week as Tesla became the highest valued car company. $TSLA : @Forbes

25361) 0.8271) China doesn’t want renewables and EVs because they’re good people or because they want to fight climate change.   I’m sure some in China care about climate change and doing good things, but the government as a whole is interested in the economics. They’ve done the math. $TSLA

25362) 0.6486) Wow. #Model3 is crushing it’s ICE competition in the US. 😳😎   #Tesla $TSLA $TSLAQ

25363) 0.4516) I won’t post links, but I listened to the TC podcast episode where he interviews Ed Niedermeyer  (big baby, blocked me for polite discourse).  Anyway, it was kind amusing noticing that Ed seems totally rational and sane compared to TC, who comes across totally nuts.  $TSLA

25364) 0.1111) FYI, my wife informs me that the Musk hagiographers have infected the Chinese mainstream press as well. Articles are being published about how Musk pushes the boundaries of technology with PayPal, EVs, space travel, hyperloop... 🙄 $tsla $tslaQ

25365) 0.9001) Great Tesla article about my friends at ⁦@UnpluggedTesla⁩ - they did my car and they do amazing work. Check it out.  $tsla   https://t.co/bDW8eGt8is

25366) 0.4753) 🚨🚨🚨 BOOM 🚨🚨🚨  "What competition?" chart "Don't you dare cherry-picking Norway, the only mature BEV market!" edition, Germany.  $TSLA $TSLAQ  1/  https://t.co/hYazHCq3sV

25367) 0.7519) 420 hasn’t been this clean for months! 😍 #Tesla $TSLA  https://t.co/6q3lXPKP15

25368) 0.4939) BREAKING: Lingang New Area will get it’s very first Elevated Road right next to Tesla Gigafactory on Lianggang Avenue. Exciting news for Tesla and other factories in Lingang.  #Tesla #TeslaChina #LinGang #Shanghai #China #特斯拉 #中国 $TSLA  https://t.co/9p4RQQ4Oz7

25369) 0.8591) @KelvinYang7 Can you please tell that guy, that next time, to please hold off on these kind of announcements till $TSLA is open for trading? 😎  Not much of a @Tesla pump to do this over the weekend 😂

25370) 0.7984) "“...Tesla is more willing to risk their battery not lasting 8-10y &amp; just dealing with consequences on the back-end,” said M Ramsey... “Part of their success is related to their willingness to go way past what the industry normally wd do,”"  $TSLA $TSLAQ  https://t.co/7ZUOUG1FWU

25371) 0.6697) Tesla is the only profitable EV maker in the market with:  In house software team In house hardware develop. team  WW Gigafactories (battery &amp; EV) Lowest cost battery packs Most advanced battery &amp; powertrain tech Strongest brand awareness WW Supercharging network  $TSLA #Tesla

25372) 0.694) 1) So, it's clear. $TSLA's China factory (GF3) must churn out 12,500 Model 3s per month fairly soon. The CCP realizes what most $TSLA investors don't: at the current price of $43K, the MIC M3 won't see enough demand. So it appears like the CCP is eyeing $36K to "move the metal".  https://t.co/lVAML9JpR3

25373) 0.7108) Great News‼️  Tesla China Model 3 Update:   NEV Susidies Will Not Be Cut in July 2020, Says MIIT Minister China 🇨🇳   $TSLA #Tesla #China    https://t.co/lpsfnoO8ot

25374) 0.7405) This is a list of a few Tesla related news sites, blogs, and podcasts that are community friendly and focused on providing info that is FUD free. $tsla    https://t.co/5bSOxAZZAa

25375) 0.7269) #ExplainBABYCharts #FraudWatch day 345  Classic #BABYcharts. When his #DumDum 🧠 can’t comprehend something, it must be #fwaud 🤣😂  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/dJ4UTruK3N

25376) 0.92) Curious about Tesla Motors customer demographic goals. Seems is it's often guys that buy a Tesla, invest in $TSLA, or run PodCasts, YouTube, etc. Love you guys &amp; shout out to female pioneers Like Tesla, Tesla Joy and Third Row Tesla because planet needs more women on #teamElon!

25377) 0.2023) British 🇬🇧 EV incentives for Business Could Skyrocket Tesla’s Demand  $TSLA #Tesla #UK   https://t.co/FxzIV2hbOA

25378) 0.8799) This interview @seanmmitchell did with Sandy Munro regarding his thoughts on the Cybertruck is a must watch for any @Tesla fan or $TSLA investor.  Sandy has so many great insights, and I always enjoy hearing what he has to say!   https://t.co/mi3Rk8EAGX

25379) 0.7424) Woohoo 🎉 spotted my very first China Made Tesla Model 3 in the wild!  #Tesla #TeslaChina #MIC #ChinaMade #Model3 #特斯拉 #中国 $TSLA  https://t.co/lU3I9lfgzE

25380) 0.5719) @SolarInMASS @danahull Cool... can you talk about the challenges that led to the install taking well over a month to complete? $tsla

25381) 0.8176) @TESLAcharts Yes. But with $tsla's Cybertruck calling the tune, the pretense is over. With an ICE car or two already in the garage for reliability needs, it's now all about cool &amp; virtue signaling. Environmentalism? Let me hop into my Gulfstream &amp; jet off to lecture my underlings about that.

25382) 0.7003) As jewelry artisan who writes mostly about Tesla and EVs for @cleantechnica and wraps stones i to jewelry as another biz, both of my worlds collided into this article thanks to the creative Tesla jewelry by @walkingcrow and his wife @hopegrrrl $tsla

25383) 0.2023) British EV incentives for Business Could Skyrocket Tesla’s Demand 🇬🇧🚀  $TSLA #Tesla #TeslaUK   https://t.co/pPjWjMLDZh

25384) 0.6658) More Ark $TSLA share sales secured!  https://t.co/zBdSZsTABd

25385) 0.6249) Have a great weekend, @PwCUS. $TSLA  https://t.co/JpuZEnhnOC

25386) 0.3612) Looks like Franz was testing these tiles. $tsla $tslaq  https://t.co/MUtH5FeKdp

25387) 0.6712) "SpaceX may be able to survive as an important space economy player thanks to its established launch business &amp; nascent space tourism pursuits. The survival of its bulging valuation, however, is far less certain"   $TSLA $TSLAQ @markbspiegel @TESLAcharts    https://t.co/21gUQa7d0t

25388) 0.4215) "The National Labor Relations Board will take up the long-running case involving employees attempting to organize a chapter of the United Auto Workers at Tesla factories in Fremont, CA, and a battery plant in Sparks, NV."  $TSLA

25389) 0.6588) $TSLA started week at 422 and closed at 478, up 13.3%. great job bulls!

25390) 0.802) $TSLA short interest for 12/31/19 published.  Short interest declined by 1.2M shares (-5%) from 12/13 to 12/31; stock price rose from $358.39 to $418.33 (+17%). Next update 01/27/20 for 01/15/20 date.  12/31: 26.3M 12/13: 27.5M 11/29: 28.7M 11/15: 30.6M 10/31: 31.8M 10/15: 37.2M

25391) 0.5267) Jc.  62 in the left.  No one for miles.  Smiles like an asshole when finally moves over. $TSLA  Why are they all dickheads ?  https://t.co/DpDLBbT84F

25392) 0.7684) Exactly, and who knows what it will happen, but the finale, the end of $TSLAQ, the $TSLA "short burn of the century," will be just as spectacular, memorable, and a great story for our grandkids #NotSellingAShareBefore5000

25393) 0.8736) Went long next week expirys, small risk but sticking with my analysis. All done for the week. $TSLA single handedly made my week, so no complaints there. Have a great weekend all 💯

25394) 0.34) @Keubiko The $TSLA cult really believes this:  "The way Elon invests is the same way I do. Buy stock, get a loan for 50% of value, buy more stock... as you use the loan to buy more stock, you get a bigger loan, etc. This is how Elon hits all his milestones."  https://t.co/iMtTUMQFVA

25395) 0.3818) $TSLA  "As Tesla themselves have reiterated many times, Autopilot is merely a driver aid and shouldn’t be considered capable of fully autonomous operation."   https://t.co/Y1AhoPIMvm

25396) 0.8718) @danahull true. my new favorite is “Solving the Money Problem” Youtube channel. you should subscribe to it, Dana! you’re welcome 💪😎⚡️ Why $TSLA Stock Keeps Going Up (will it stop?)  https://t.co/qBeKzknIJT

25397) 0.7876) @lorakolodny @CoverDrive12 @SEC_Enforcement Good point. And yet, this communication seems more sober than "Funding Secured", "No Contingencies but Shareholder Approval", "Absolutely Zero Concern About 10k/production per week by Y-E 2018",... and many more. Under Rule FD, those were $tsla company communications, too.

25398) 0.1901) waiting for #IOTA #coordicide is like waiting for $TSLA Model 3 production to scale. it took Tesla few years &amp; some missteps. but when it delivered, it’s GAME, SET, MATCH, for the auto-industry. if/when @iotatoken Foundation delivers then same thing will happen in #DLT #IoT 🤖⚡️

25399) 0.7041) Financing Gigafactories is ~effortless for $Tsla. Low interest loan/gifts, ~easy with Elon, tech lead &amp; tech need.  Bottleneck for simultaneous Gigafactories is management? Will it be easier to develop management depth for Chinese Gigafactories?   GF5 ~soon if demand overwhelms?

25400) 0.5106) rumor has it that by mid-2020 you will get one free if you open a checking account at People’s Bank of China -   $tsla $tslaq

25401) 0.8947) The illusion that producing millions of vehicles a year and a century of ICE manufacturing can lend itself to an advantage of competition in a new technology is alive and well.  Truth is $TSLA holds all the advantages and none of the disadvantages of incumbent automakers.

25402) 0.4404) Piper Sandler raises target price for $TSLA shares to $553  “Bottom line: if Tesla’s Model 3 market share in the US can be replicated in 🇨🇳 &amp; if this logic extends also to Model Y - then #Tesla annual volume in 🇨🇳 alone would eventually exceed 650k units”   https://t.co/c8Mvrrq514

25403) 0.6476) Tesla Competition has arrived!  (Friday humor, relax)  "E-Force One"  620 MIles, 20 Sekunden Charging, Speed=250km/h (freefall),  premium connectivity by Stasi, Made in Germany.  #trabi $TSLAQ $TSLA @WPipperger  https://t.co/y99penegJi

25404) 0.7579) "FCA reached an agreement with Tesla last spring that could cost FCA an estimated €1.8B ($2B) through 2023. That breaks out to about $150M to $200M per quarter &amp; will pad Tesla's profit margins starting in the first three months of this year" $TSLA $TSLAQ  https://t.co/IPw4FHFegH

25405) 0.7767) I am done with my expiry trading within first 45 minutes of opening. $TSLA rocks!  Will share my learning this weekend!  Happy weekend guys!

25406) 0.466) @WallStCynic You know what sounds silly here? You not understanding basic reasoning behind their expansion. What do you think $TSLA wants to do with #GF3 and #GF4? Play ballgames inside?

25407) 0.1779) Tesla gets 30% price target boost as analyst ponders 650k annual sales in China alone $TSLA  https://t.co/IgXFZa5wNB

25408) 0.3182) To underscore how silly $TSLA has become, Piper raised it price target to $553 (from $423) on the back of massive estimate hikes. For example, their 2021E EPS non-GAAP estimate is now $33.93 per share (vs previous $26.21), which compares to the BBG 2021E of $11.50.

25409) 0.5994) Jonas may have nailed the $500 top, will he hit the $10 bottom too? #respect $TSLA $TSLAQ

25410) 0.296) Piper Sandler raises target price for Tesla shares to $553📈  $TSLA #Tesla  https://t.co/LjNeHC8CAc

25411) 0.6114) A Salute to Our Benefactor! (second in an occasional series) The Benicia Refinery, owned by Valero Energy Corporation, is situated on the picturesque Carquinez Strait at Grizzly Bay, 25 miles northeast of San Francisco as the crow flies. $tslaQ $TSLA  https://t.co/jpv1k5iC1O

25412) 0.8195) Let's make this perfectly clear. We, Panasonic, once hailed as $TSLA's "partner," are not responsible for the garbage Tesla is peddling with its name &amp; SolarCity's name slapped on.  https://t.co/X9cqhcXvBY

25413) 0.3818) SK Innovation, 2017: "Let's build a 7.5 GWh battery plant in 🇪🇺. Opens: 2020." SKI, 2018: "Actually, we are building one more, same place. Add 10 GWh, starts a year later." SKI, today: "What if we make the latter 16 GWh instead?" (23.5 GWh total)  $TSLA GF1 is 30-35 GWh  $TSLAQ

25414) 0.0772) "Siri, describe the $TSLA approach to everything in one sentence."

25415) 0.296) $tsla ~20 shares added in 470s

25416) 0.8016) Tesla’s dominate position in EVs stems from its battery dominance. In production, efficiency and power.  I’m quoted here in the great @washingtonpost ! $tsla  https://t.co/gSWkwMMi8s

25417) 0.1901) There have been 8 ships in October. So far 3 are scheduled (1 is the same small one to KR), maybe a 4th could fit in but is unlikely so.  We know that there was some inventory after Q3. Prob less in Q4.  We have yet to see how they can get anywhere close to Q4.  $TSLA $TSLAQ

25418) 0.758) Sounds like $TSLA sold off a big stock of solar panels to a wholesaler late in Q4, presumably at a discounted price. Panasonic isn't happy about it, but I'm sure Tesla Solar's sales numbers will look nice in the 10-K.  https://t.co/6XtooC0Bes

25419) 0.4404) It’s funny how now that $TSLA is at $500 the newsletter writers and market commentators are saying that it was an obvious long and how they predicted it. While also saying that bears may be right.   And, btw, the above applies to almost any hot topic.   #2020Much?

25420) 0.3818) $TSLA - Tesla PT hiked to $553 at Piper Sandler on China growth potential  https://t.co/xGdrgL2SB0

25421) 0.25) @JCOviedo6 What a scummy, scam company $TSLA is.  Sales volume secured in 4th Q.  Margins... eh, who cares?  https://t.co/pFzIWLYIMn

25422) 0.6124) $TSLA  Good Washington Post article on the risk/reward Tesla has taken with its battery technology as well as Tesla battery fires.   https://t.co/kHCs3DEYgD

25423) 0.4939) So, is this Spiegel out? Asking for a friend... $TSLA  https://t.co/wmteD4dXuN

25424) 0.7096) "That breaks out to about $150 million to $200 million per quarter and will pad $TSLA's profit margins starting in the first three months of this year, according to Ben Kallo, a Robert W. Baird &amp; Co. analyst."  😎

25425) 0.9001) $tsla took the day off yesterday which it needed to do. It was better not to chase $495 as it hit $472 yesterday.  It would be good to create a new flag. Let the 8day catch up.  Then go again in the week ahead - what a great stock with so many ways to make money with it  https://t.co/Bz3wNRnGBG

25426) 0.4654) 1) Who's been buying $TSLA shares so frantically since mid-12/19, when its RSI went &gt;70? Total value traded since then is $110bn (&gt; than the market cap of 88% of S&amp;P 500), with 25% of this in the last 2 days. Do these punters expect +FCF in 2020? Hope they have good stop losses.  https://t.co/cv59PZQOGs

25427) 0.7469) The bear thesis and the relatively high short interest on $TSLA is actually a huge part of my own bull thesis. When the bears call it quits, and Tesla is skyrocketing, I'll sell out half my position. But so long as bears keep shorting, I'm buying and holding.  😘

25428) 0.8992) Why closed half of your short position if you are truly believe $TSLA will eventually goes to $0? Shoulda triple down right? 😂😂😂  https://t.co/Fl54Zr9xCj

25429) 0.9313) #ExplainBABYCharts #FraudWatch day 344  Tonight I present to you the evolution of #BABYcharts in four posts. Can’t wait to see how things progress from here 😂   Enjoy 😊   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/INWSsAcP4V

25430) 0.4767) making Tesla’s valuation truly ludicrous.  Still need convincing, Part 2 we will cover the numbers. $Tsla, $TslaQ

25431) 0.7952) Why Tesla’s growth story is laugh out loud funny and it’s stock price is beyond Ludicrous. Tesla is not a growth story.   End of post.   Well okay so you don’t want to take my word for it, fine. Really it isn’t.  Tesla is Tesla’s biggest problem. $tsla $tslaq

25432) 0.296) Piper Jaffray raises $TSLA price target to $553 per share “after analyzing Tesla’s potential in China.”

25433) 0.6478) Analyze the attached 15M chart for $TSLA &amp; let me know if you had to initiate a short trade in the highlighted box, where would you initiate it &amp; why?  There is some very nice learning in this chart &amp; I will share my thoughts later.  #PAVQuiz #PriceAction #LearnWithPAL  https://t.co/XLlKNUHiLh

25434) 0.6608) 1/ No doubt @danneilwsj1 loves me more than ever. More, even, than when he left Twitter in July 2018 after I challenged him about reviewing a $78k $tsla Model 3. Shortly after which, Elon Musk called my boss...

25435) 0.6249) Minor Scoop. I wonder why the manager responsible for the $TSLA Model Y launch planning left to join Cruise in October to work on their Autonomous Vehicle Development program....  Haven't seen his name listed yet - Satyam V.  Cc: @Paul_M_Huettner @ghost_scot @TSLAchooo  https://t.co/SRiuKVkqsI

25436) 0.1901) Syosset, NY $TSLA lot 1/9:  Still ten new cars. (Like 12/31) Perhaps they got and sold through some new ones, but at first glance these appear to be the same cars from 1.5 weeks ago.   6 M3 2 MS 1 MX  @TESLAcharts @btsparks @RhinoVesting @Paul91701736 @markbspiegel @cppinvest

25437) 0.6893) $TSLA is a deep value investment because its EV/EBITDA is only 45x. 45 is a really little number. I am 87 years old. Another big number is 10,000. If Tesla had an EV/EBITDA of 10,000 then that would be out of the question overvalued. 45 is small number. Means Tesla value stonk.

25438) 0.25) It sure looks like $TSLA just got sued over a Project Titan issue. Check out page 37 in our Reality Check report. Sadly, Kern County only posts the most irrelevant documents on the docket.  https://t.co/xwDfoDY2K8  https://t.co/hRFfmd0L2T

25439) 0.875) @Supermantibody Probably $tslaq. They will want to set expectations super duper high. Don't fall for that trap. $tsla is still juggling many things. Let's hope for the best.

25440) 0.25) @Keubiko The word escapes me, @Keubiko, but it would appear someone has just been... whatever it is that happens when people encounter $tsla business practices &amp; ethics. The word escapes me at this moment. Remind me...

25441) 0.6705) Paging @Keubiko. Keubiko, to the phone bank, please. Keubiko, kindly pick up on $tsla Line 3.

25442) 0.4588) Yep, S&amp;X are DEAD...Long live S&amp;X  What is important about this report is the fact that he is completely misinterpreting what he's seeing in regards to the S&amp;X production.  This only means that they're building inventory in order to shut down production to retool 4 refresh  $TSLA

25443) 0.5386) Worst podcast ever!!!  If intelligent, impartial discussion bothers you.  Definitely don't listen if you're into virtue signalling at the expense of independent thought.  $tsla

25444) 0.7345) had some bad preconceived notions about Tesla, to which I nicely corrected and now they are in support of them and EV in general. What an amazing end to my day! #tesla $tsla

25445) 0.7964) I actually like Elon Musk. He's excellent source material when I teach about how fraud is done and how easy it is to accomplish nowadays. $TSLAQ $TSLA

25446) 0.6808) Bob Lutz thinks Tesla CEO @elonmusk "deserves every penny of" his performance bonus. He also said: "That $100B market cap could well be attained."   https://t.co/agj5sLbNUe  $TSLA #Tesla    https://t.co/lyKlAoamrz

25447) 0.7297) TODAY’S CUSTOMER SERVICE WAS AMAZING. that’s a solid buy on $tsla

25448) 0.4215) In my most recent article @SeekingAlpha, I predicted $tsla would install fewer than 100 solar roofs in 2020. Here's a smart comment: "Less than 100 Solar roofs is truly a bold prediction. Musk is stubborn and can afford to lose $20k/roof for 5000 roofs. I think he will."

25449) 0.8974) WOW... 😲  The recent $TSLA price move is still not due to shorts 🩳 covering but long buying... 🤯  $TSLAQ shorts are really a special kind. Immune to any pain 😳  That upcoming short squeeze is really gonna be epic 🚀. A #Starship style launch 🤩  #ShortBurnOfTheCentury

25450) 0.6124) 6 hour time lapse on Day 3 of a $tsla Solar Roof installation. And yes they are still cutting tiles on site for the easiest roof structure imaginable.  https://t.co/kFLDuDSL2F  https://t.co/bNiotPG67q

25451) 0.9337) One of these guys must have been my 4k❣️   Thanks for following and sharing the @Tesla $TSLA ride together❣️  https://t.co/0RlyyQAFxp

25452) 0.8934) $TSLA investors have the best access 2 #Tesla info. We're lucky to have @TeslaPodcast, @HyperChangeTV, @DMC_Ryan, @teslatidbits, @talkingtesla, Know you Know, et al. Also @elonmusk is available on Twitter where he has done an excellent job providing info &amp; gathering r feedback.👇

25453) 0.5983) $TSLA Thank God for Options!  https://t.co/4ko9R33eRR

25454) 0.5994) "IF you want the best-looking, best-handling electric car in the world, your search stops here."  $TSLA $TSLAQ The Porsche Taycan 4S is the best electric car in the world – The Sun  https://t.co/98dxtikYbC

25455) 0.8555) "The publication recognized the German car as the best available electric car today because of its performance, price, and Porsche’s exceptional history as an auto manufacturer."  $TSLA $TSLAQ Porsche Taycan 4S deemed as 'Best Electric Car in the World'  https://t.co/mj4l0KdELr

25456) 0.4588) @Teslarati I recommend all $TSLAQ buying one, it's a much better way to 🔥 money than shorting $TSLA

25457) 0.7124) $TSLA - What are the tents for again?  To protect the solar roof tiles from rain?  Like an umbrella?   Makes sense, because you can’t use Car Washes with their cars either!  $TSLAQ

25458) 0.296) Would you sell your $Tsla shares if Elon left the company for any reason?

25459) 0.1027) @TESLAcharts It's weird how every time a $TSLA vet retires or steps back to "spend time with family", they suddenly find the energy to get back in the game – somewhere (sometimes anywhere) else.

25460) 0.5367) Is there a reason $TSLA isn't announcing the most gargantuan secondary share offering in history while it has the chance? Just thinking out loud here ...

25461) 0.6249) Sold 100 $TSLA shares yesterday at $494. Just bought them back at $474. Thanks to whoever is selling for letting me back.

25462) 0.6808) $TSLA's Autopilot is a controlled scientific experiment, constantly modified and improved.   Like any software, it takes years to develop through patience (users) and experience (data).  https://t.co/fh78Qeff9X

25463) 0.7506) Fingers crossed that #FateLovesIrony. $TSLA  (Yes, I am that guy celebrating a 2% down day after adding to a short position 51% ago on the CyberTruck cc @BagholderQuotes)  https://t.co/fhxi1miZGr

25464) 0.4019) $tsla down?  Must be a Chinese holiday. 🤷‍♂️  https://t.co/KBe103iXBH

25465) 0.08) Claims Tesla will soon no longer produce the higher end cars.   @elonmusk @Tesla this better not be true else I for one would have to make another choice.   I'm assuming (and hoping) it's not true.  $TSLA #ModelX   https://t.co/gHGOybI0a9

25466) 0.6369) i started following one of the Tesla permabears yesterday. he literally covered 1/2 of his position this morning. that and the 2 price targets above $500 are the best signs of capitulation. finally. $TSLA

25467) 0.4019) 8/ Faith is believing before what will only make sense after.  Tesla’s shares are up 160% in the past six months to an all-time high on better-than-expected Q4 delivery numbers and its factory opening in China. Short positions on $TSLA have lost over $10 billion.  https://t.co/c5saPWFQqy

25468) 0.4019) 1/ Let's talk about Tesla. In 2017, we called it the "ultimate Trump trade." To the extent that Trump’s economic nationalism prioritizes the creation of US jobs and valuable, domestic high-tech manufacturing industries, we argued $TSLA stands at the epicenter of that.

25469) 0.5859) Looks like $TSLA might have run out of fresh muppets for now  https://t.co/vacFcIr7Ea

25470) 0.0516) Sadly, $TSLA Amsterdam did not know if it had registered vehicles to itself like Norway at year-end and was interested in why the question was being asked. No insight into the situation, they said.

25471) 0.2023) Hedge funds taking profits in $TSLA today in both options and equity market. This is a very illiquid stock right now and could drop fast and big.

25472) 0.4404) Tesla bull suggests taking profit as $TSLA shorts get brought down to their knees  https://t.co/SLHcEs4jqw

25473) 0.1027) Tesla $TSLA Factory Checks Suggest Model S and Model X May Have Reached 'End-of-Life'  https://t.co/U39bUn2XkY  https://t.co/J2kn2b604c

25474) 0.6757) “I think $TSLA could be one of the best stocks of the year, but right now, please don’t touch the stock - it’s way too extended here.” @mwebster1971   #IBDLive  https://t.co/2L2izMlgMZ

25475) 0.5423) The _main_ problem with @ToyotaMotorCorp @Ford @BMW is that their respective founding families are largely in control of voting stock.  Those families have significant influence on both ongoing culture and company operations, while lacking a solid vision for an EV future.  $TSLA

25476) 0.1837) There are more around 40 million $TSLA shares available to borrow so there is no chance of stock borrow rates increasing until most of that inventory is taken down.

25477) 0.2263) Impressive $tsla volume once again.  8 Million + and counting on first 40 minutes. $tsla will take down 500$ soon and will do an impressive run once again.  Shorts are running out of options. Negative propaganda won't work too long.  @ValueAnalyst1 @Hein_The_Slayer @jjhanna2

25478) 0.2732) I don't have enough skills to back up my intuition yet, so just going to call my shot as a play money trade. I'd short $TSLA today if I had more experience in shorting. I had one lonely share and sold it at 495.80 to buy something else. What are your thoughts investing twitter?

25479) 0.296) $TSLA ~100 shares added at 484

25480) 0.4404) good day to buy your February $600s $tsla

25481) 0.75) Five years from now when the bulls are all living in mansions it would be nice for them to have a souvenir to hang on their walls! Here is my contribution. Feel free to post your own. $TSLA $TSLAQ  https://t.co/2wDhMw67gX

25482) 0.8271) $TSLA is a once in a lifetime short - a unicorn covered in blanket of four leaf clovers drinking from the fountain of youth while watching the Jets win a Super Bowl as shooting stars cover the night time sky.

25483) 0.802) Hence my investment and rabid support of Tesla and @elonmusk - it is the only company that so directly address the many ways to positively impact society and reduce greenhouse energy use.  Tesla will be the stock of the decade. $tsla

25484) 0.7964) $TSLA still the number 3 domestic short, but it has the largest increase of short interest over the last week and month.  https://t.co/rzWY3FDvmf

25485) 0.3182) #ClimateChange will effect everyone in the world over the next decade if we don’t change our course immediately. With that. Companies that address this urgent emergency have the potential to profit. Hence Tesla. $tsla

25486) 0.3818) If I didn't order a @tesla model 3 in 2018, I would not have invested into the stock which alone makes these cars appreciating assets. $tsla

25487) 0.2677) Covered his position from 20% to 10% to 5%! 😂  What a fool for shorting $TSLA in the first place! 🤮  CONGRATS LONGS THESE $TSLAQ FOOLS ARE COVERING! 🤜⭐️🤛  #Tesla  https://t.co/z8ISexrjob

25488) 0.9531) What most excites me about the recent rise in $TSLA stock price is that Tesla's hardworking employees will now be feeling a bit wealthier after a pretty tough 2019 - well deserved to see their hard work reflected in the price, and I'm sure will help boost morale. 👍

25489) 0.6249) 😂 Wall Street. What a joke.  #tesla $tsla

25490) 0.7783) .@ElonMusk "deserves every penny of" his performance bonus, says Former GM Vice Chair Bob Lutz on the possibility of $TSLA reaching its next milestone which could earn the CEO a significant pay day. "That $100B market cap could well be attained."  https://t.co/Byy9qVGFCG

25491) 0.4702) “Tesla can very well reach $100B in market cap and Elon with his comp plan deserves every part of it” - Bob Lutz.   How times have changed! $tsla

25492) 0.7506) This is your captain speaking, as we're reaching the altitude of 500, please turn your attention to the tweet below which is a guide for different altitudes. I'm delighted to inform that we'll only be cruising higher and higher. TQ for flying with $TSLA VTOL Supersonic E.Jet.

25493) 0.2682) Computer technology disrupted many industries, airlines, music, media and more, however it has never touched an industy that is so vast, so old, so capital intensive, with so far reaching impact on the societies, world resources.  Yet the impossible happened led by $tsla

25494) 0.5106) Baird raises price target for $TSLA to $525 (was $355) while downgrading the stock to Neutral.  "We think risk/reward is more balanced following recent stock appreciation,"

25495) 0.7548) @BagholderQuotes @elonmusk it is true alas. The shorts will capitulate one by one, at least financially.  But they will still pursue Elon because it was always about the chase and not the kill.  (What they will do when $TSLA becomes $TSLAQ is anyone's guess.)

25496) 0.7284) $TSLA to become $TSLAQ?!? Nope. 😂  https://t.co/y9p9VW8gPq

25497) 0.2023) $TSLA the top is near

25498) 0.843) 7 Tesla Showrooms in Beijing (China) Sell Over 1000 China-Made Model 3 In A Single Day‼️  No demand in China right? 😂😂😂  $TSLA #Tesla #China #MIC #Model3   https://t.co/eEG5t62WcY

25499) 0.4939) $tsla is $50ish above the 8day.  NOT a spot to start a fresh long.  A good spot to rest and get downside consolidation.

25500) 0.8221) Tesla Is the Most Valuable Car Company In America Ever 🏣📈🇺🇸 “@ElonMusk’s feat is impressive. He built a car company from scratch this century, &amp; it is now worth more than any of the so-called Detroit-three auto makers at any point in history.”  https://t.co/2kDIwwKdmT $TSLA #EV

25501) 0.7717) @wadeanderson Good decision. $TSLA is a rollercoaster and you need to hold on tight.  I first bought shares in 2016. In June 2019 I was down 30% now I’m up 90%  Just buy and hold. It will 10x 😉  For perspective, read the thread I wrote when the stock hit the bottom 😌   https://t.co/wL5JWpeNaW

25502) 0.5719) $tsla last Friday, only Beijing city sold 1040 model 3, sat and Sunday even more, how many cities does China have? Beijing has 20 million people , China has 1.4 billion, let us give other city 50% discount buying power.  But most of other city can get the car license much easier  https://t.co/HA2ZkylW72

25503) 0.802) Being a $TSLA 🐻 is tough nowadays. 😂😂😂   https://t.co/7GYW58gZja

25504) 0.4215) Tesla Stock $TSLA Charges Upward, Share Price Nearly Grazes $500  📈📈📈 🎉🎊💯🕺   https://t.co/8esIhR9nWG

25505) 0.4215) Tales From The Toilet....   I guess he's saying $TSLA is going to Zero.  AKA not even a penny stock (pink sheets), but "ZERO" dollars per share.    Don't ever change Mark.    #Zero  $TSLAQ  #BatshitCrazy #ToiletBoy  https://t.co/oKrKIRuUNY

25506) 0.9758) #ExplainBABYCharts #FraudWatch day 343  We got a #BABYcharts goal moving post gem today. We never got an update the perfect setup😢.... from July 2019 🤣😂🤣😂🤣😂  Bonus: A classic #ToiletBoy post too 😂   $TSLA 🥴🤡 $TSLAQ 🤡🥴   https://t.co/NsyzFZyuP6  https://t.co/C6LGMksvMU

25507) 0.9386) ⚠️⚠️ATTENTION EVERYONE⚠️⚠️  Please find @ihors3 and get an update on $tsla short interest.   Last seen, 4 days ago.   $tslaq might have captured him 🤣  @ihors3 We need you 🙏♥️  Plz RETWEET.  FYI,  @jjhanna2 @Hein_The_Slayer @vincent13031925 @thirdrowtesla @s17_scott  https://t.co/98Zv7J0aoQ

25508) 0.8625) Anyone saw $TSLA $500 coming in January when it was less than $200 just few months ago?  If you did, you would retire by now 🤣🤣🤣  https://t.co/KevO4qjPLe

25509) 0.6725) Fun fact: Today's record-high value traded in $TSLA shares ($15bn) is nearly half of Ford's market cap.   Another fun fact: this happened on absolutely no discernable positive catalyst.   $TSLAQ

25510) 0.5859) Earlier this week, @Tesla skeptics were yelling that the AI software export rules executed last week would be the end of Autopilot...  Except all of a sudden, @Tesla America has a gigantic moat and has finally locked in the true value of Full Self Driving.   $TSLA stock up $75.

25511) 0.3612) In 2019, around 26M vehicles sold in China 🇨🇳   And now, Tesla Shanghai Gigafactory GF3 is ready to rock &amp; roll 🕺  $TSLA #Tesla #China #GF3  https://t.co/IP6x00dttK

25512) 0.1197) ole $tsla up 175% from its 2019 lows, channel clearly broken and basically clear skies ahead.  funny to think theres a whole culture of people on twitter who only have accounts to FUD and short tsla  https://t.co/7gT2cBGqsq

25513) 0.5423) Should $TSLA split?  Please share your reasoning.

25514) 0.7396) Can we talk about $TSLA right now? Why the heck is it going so high? I’m not complaining, but I don’t understand the 102% gain in the last 3 months.  https://t.co/9DFCkNNbmc

25515) 0.7639) Took one shot at $TSLA today, it only gave up a small win. Feels like many could be getting destroyed in this move. Stay safe!!  https://t.co/gT3VuwsOFj

25516) 0.6369) Today in a nutshell  In the office by 9:45am  Free lunch at 12:30pm  Work until 5:45pm  Free drinks until 8pm  While cabbing home to PTFO receive a call from @KingPickleRick1 who offered to buy the rounds tonight via his $tsla calls  Law of three rules  Hide yo kids, hide yo wife

25517) 0.34) $TSLA - highest notional value traded in its history today  https://t.co/PnP4Z9ZMDg

25518) 0.1406) FWIW, I love $TSLA company, just think the stock is overbought and extended and due for a pullback. Maybe I'm wrong, but the parabolic pattern is there.

25519) 0.0613) Based on this chart we can expect $TSLA to go up to at least $6000 per share before coming back down. Not sure what this short is trying to illustrate 🤔

25520) 0.2263) I did a partial Elon dance in the interview on Tesla. Check it out. Sorry it’s jumpy a bit. Enjoy the ride. We all deserve it. #tesla $tsla @Gfilche @vincent13031925

25521) 0.92) Tesla Model 3 and Model X are included in Euro NCAP's Best Of The Best In Class Cars of 2019  Congrats @elonmusk &amp; @tesla team!  $TSLA #Tesla #Model3 #ModelX    https://t.co/j5T7LXzIpG

25522) 0.8172) Congrats @elonmusk and @Grimezsz what an amazing 2020 to come! #tesla #teslababy $tsla

25523) 0.3421) At ~$500/share, if @elonmusk raised $10 Billion of equity (not debt) for @Tesla, it could:  1) Pay off all of its debt 2) Accelerate the creation of Gigafactory 4, 5 &amp; 6 3) Be well positioned to deliver 2M+ cars in 2022  All for ~10% dilution. What would that do to $TSLA?

25524) 0.9432) ‼️Tesla Model 3 and Model X are included in Euro NCAP's Best Of The Best In Class Cars of 2019 🏆👏🏻‼️  Congratulations to @Tesla and @elonmusk 🎉 $TSLA #Tesla #TeslaModel3 #TeslaModelY   https://t.co/VVo5CfYU2R

25525) 0.8993) .@elonmusk @tesla any updates on insurance becoming available to more states? would love to give you more money...(sorry for repost friends) #Model3. PS congrats on $tsla &amp; baby news.

25526) 0.4019) Grimes is pregnant, you can’t tell... Hence the Elon happy dance. Mars baby coming. He shall be named, Kylo Ren. $tsla #tesla

25527) 0.7878) The chart shows market capitalization of Tesla (green), Ford (orange), General Motors (red) and BMW (blue) over the last 3 decades. As you can see, Tesla has become the most valuable US car maker EVER.  New Paradigm? Genius? Innovation? PR? Artificial hype?  $TSLA  https://t.co/zfG4dg5m1F

25528) 0.7724) There is no doubt today’s dramatic rise of $TSLA has a lot to do w/ what Bob Lutz said on CNBC. I’m glad he is finally in recognition of the biz viability of #Tesla. Give him credit for that. Here is what he said before and now.  https://t.co/uBUIMuHq06

25529) 0.6658) More Ark $TSLA share sales secured!  https://t.co/1NZv6CZWvy

25530) 0.6239) Wow, a lot can change in a year! Billie Eilish (@billieeilish) Pete Davidson and Elon Musk (@elonmusk) deepfake  #billieeilish #billie #billieeilishedits #petedavidson #elonmusk #elon #deepfake #deepfakes #faceswap #thefakening $TSLA #SpaceX  https://t.co/bQDeG47gvn

25531) 0.4019) The new battery tech that @Tesla will be rolling out in 2020 is going to put them even further ahead of their competitors. I am really looking forward to the battery investor day where they will hopefully provide further detail on what they have come up with. $tsla #tsla

25532) 0.7783) Hey @elonmusk, has anyone won the lottery style draw for referrals since the referral rewards changed last? $tsla @Tesla

25533) 0.7418) @lorakolodny Ha! This is great, I get scooped and can scoop myself at the same time! Here's the tent...we now have the 3 Bears scenario in place: too big, too small, and just right. $tslaQ $TSLA #FremontFollies  https://t.co/NIGR4o5gZf

25534) 0.7003) I've got a fun game. Tell me the advantages of a gas car and I'll tell you why idgaf  @tesla @elonmusk $tsla

25535) 0.8748) I also want a shout out to Martin Vieche for being the most incredible IR person Ive worked with. What an amazing job he did last year, he made the time to help investors better understand the company. He even let me test drive his Tesla! @MartinViecha @elonmusk #tesla $tsla

25536) 0.9186) p.s. per our queen @Grimezsz earlier post... some more details from IG.  Congrats papa @elonmusk. i mean it.  make sure to set up a nice trust fund for Baby Saturn with a million $tsla shares and also some 2021 $tslaq puts just in case.  https://t.co/nttEqdDqQT

25537) 0.0516) Well, I’m on the phone with my computer security service, and as I understand it someone compromised my IP address and used it to buy $tsla puts while it was at $330. I might just be a random target. Or it could be the work of big electric.   It’s an ugly world out there.

25538) 0.34) if @Grimezsz actually got pregnant by elon $tsla would easily hit $666

25539) 0.7562) Hopefully $TSLA shorts stayed safe per my comments from last year - what a squeeze!!!

25540) 0.7947) Data is the most valuable asset of the world, how much is worth the data that Tesla owns on Autopilot &amp; FSD? $TSLA

25541) 0.0516) Well, I'm on the phone with my computer security service, and as I understand it someone compromised my IP address and using it to short $TSLA   It's an ugly world out there.

25542) 0.5859) #PISTA says: $TSLA has doubled in less than 1 earnings cycle @tastytrade Amazing.

25543) 0.8658) I ♥️ $TSLA.   Fav if you agree

25544) 0.3023) Synthetic #frunkpuppy for dementia patients! Costs less than 1 share of $tsla @28delayslater    https://t.co/MTJdqe5HX6

25545) 0.4404) USA, CHINA in motion now time to get wheels running in Germany. I hope soon. $TSLA

25546) 0.8977) Brace for Adam Jonas $TSLA notes coming days...  Our full bull target of 500 is now reached....I stood vindicated when the price was 230 and stand vindicated, again at 500 😊!

25547) 0.296) Congratulations to $TSLA for breaking the Guinness world record for longest sustained dead cat bounce. 🥳🍾👏  https://t.co/sOjEdiup4h

25548) 0.5709) $TSLA, yeah, loaded up more shares 490ish

25549) 0.7096) Now we know who is pushing $TSLA higher today. Welcome on board, Bob. Better late than never, though Kevin O’Leary and Jim Cramer are ahead of you.   https://t.co/zES0Svh7fv

25550) 0.8126) @danahull @28delayslater Be sure to include a short paragraph on Einhorn becoming a millionaire by shorting $TSLA (after starting out as a billionaire). 🤣😂

25551) 0.9387) @justtradin @nekware @SamTalksTesla @jimcramer @PwC Jake, I want to take this opportunity to thank you and all are friends for making it possible for me to buy $TSLA at a much too low price.  Thank you for sending me your money. Keep up the good work (and entertainment)!

25552) 0.897) Missed Amazon, Apple, Priceline, even CMG? No problem. Here comes something even better: TSLA😂😂😂  $TSLA keeps crushing my targets. Looks like today is the real day of “stormy weather in Shortville”, considering insane volume of 25 million shares changing hands as of 11:48.  https://t.co/iqCJx45fNG

25553) 0.6249) @HyperChangeTV @elonmusk already getting some awesome feedback from the internet on this.  "for worldwide consumption" doesn't necessarily mean export. $TSLA could build this at local Gigafactories after design is completed/perfected in China

25554) 0.6191) Even $tsla bulls would like that to be a Short high. It’s so extended from the 8day which makes it very dangerous to be actively long here. But doesn’t mean it’s an easy short.

25555) 0.7096) Tesla is planning to build a new Design/Engineering center in China where it will create an "original car ... for worldwide consumption" and the design will be "radical, like Cybertruck" ... 🤯 $TSLA @elonmusk   https://t.co/Y3gUEVKKIt

25556) 0.906) I also want to thank @vincent13031925 as well. Also working tirelessly to get the best information about what’s happening in China. Thanks V! $tsla #tesla

25557) 0.9595) So happy for all my Tesla friends. What a great group of people. Thanks for everything- especially @Gfilche who has worked tirelessly to get great information and @HyperChangeTV has been a phenomenal source. $tsla

25558) 0.7615) This $TSLA bull run is a lot of fun, but it has me wondering if it might be driven by whales gobbling up shares ahead of a take private deal.  IDK much about such deals. @jpr007 @ValueAnalyst1 @ReflexFunds @dohmanbob @freshjiva @DisruptResearch or anyone else care to speculate?

25559) 0.2023) Imagine how much $$ you could have made today if you didn't try to find the top on $TSLA 37 times today.

25560) 0.6114) Happy New Year! We have a modest little Q1 kickoff feature for you, after the close. $tslaQ $TSLA #SlowStart  https://t.co/Dki7VLAD1a

25561) 0.7184) Tesla stock has doubled over the last three months and is now on the verge of $500 a share. Wow. $TSLA

25562) 0.6486) To everyone looking at $500 as some important milestone, please note that $TSLA is still grossly undervalued at that price.  The events that will transpire in the next couple years shall vindicate us chosen ones. 🤗  https://t.co/YKeGHnnr8v

25563) 0.2695) That's hot! I can feel the heat from the short money burning down there!🔥😂 @EvaFoxU @RenataKonkoly @JohnnaCrider1 @SmokeyShorts @Kristennetten @AfMusk @elonmusk @Tesla $tsla  https://t.co/DwXYNg9ic1

25564) 0.7579) @stephenpallotta The funniest part is that folks think it’ll be 2022 before $TSLA shoots up $280 in a day 😂

25565) 0.3167) I just ordered one of the most advanced AI machines on the planet. @tesla $TSLA @ClubTeslaES  https://t.co/kfgfZ8zEjY

25566) 0.6486) It infuriates the $TSLA bulls that we do this podcast. There couldn’t be better motivation to keep going. Episodes 6, 7 and 8 are locked and will be fantastic. We’ll ride this up and all the way down. $TSLAQ  https://t.co/tyso3NdklZ

25567) 0.8437) $TSLA options update 1) At Tesla the huge options market (Calls on 71m shares, Puts on 148m) is a very powerful stock price feedback loop. Higher prices force option sellers to buy more shares to delta hedge &amp; these purchases again drive the price higher.  https://t.co/7x6OiRAtAl

25568) 0.2263) $TSLA market cap just hit $87 billion. There’s not many of us who don’t consider the technology and data to be worth $100 billion +.

25569) 0.3612) “The bottom line is Tesla shares are still too expensive and too risky for most investors because there is too much distraction at the top. “  $TSLA was at $185 😂  https://t.co/ZRDXch75BD

25570) 0.4588) $TSLA bull flag on 10-minute breaking to the upside :)

25571) 0.3182) $TSLA up a cool 47% since this stock advice from Thomas.  https://t.co/f7hXKlwodm

25572) 0.6486) Sold the last $TSLA from the 338 trigger, posted on StockTwits the swing long think at 340?   Our best trade in a couple of years considering the original stop was 2 points.   Until next time TSLA

25573) 0.836) In the last 6 months $TSLA has gained $48 billion in market cap or the equivalent of 2 years of current revenue. Current revenue growth is about 15% yoy. Makes perfect sense

25574) 0.2023) "This triple top is def gonna work" $TSLA(s)  https://t.co/NtGyCEKPFB

25575) 0.2057) $TSLA i usually say, "never short a low float stock" here we have to say "never short a cult stock"  https://t.co/CXO9u4ccBQ

25576) 0.7823) I know us #Tesla bulls had our frustrations that @jimcramer didn’t fully understand the opportunity over the last year or so. Credit where due, it takes a lot of character to keep an open mind &amp; be unafraid to change it. Vital when trading. Welcome to our world, Jim 👍 $TSLA

25577) 0.3612) The year is 2022, $tsla shoots up $280 in a trading day, @ValueAnalyst1 reassures us that this is STILL not the squeeze.

25578) 0.4967) And my 500 target approaches from 406 call. HUGE congrats. BUT, it’s not done yet IMO. This is primary cycle V, and sub wave (3) of 4 gives me a measured wave 3 of 525, retrace, then final leg up into ER to complete 5 wave impulse and sell off IMO. $TSLA  https://t.co/x7dDIA3fVZ

25579) 0.25) Greatest achievement of 2020 so far: not being short $TSLA 💪💪💪 (whatever expected return there may be for that stock/trade it will never be enough to make up for the massive brain damage) #FundingSecured #STUDY

25580) 0.9271) You are so beautiful To me Can't you see You're everything I hoped for You're everything I need You are so beautiful To me  $TSLA $TSLAQ @elonmusk @Tesla #Tesla #TeslaStock  https://t.co/ktjfZQLfOo

25581) 0.7269) There’s a difference between going long on a stock, believing in something, wanting something to succeed, wanting great new products &amp; jobs to be created, technology to move forward... and going short on a stock because you want something to fail. $TSLA @elonmusk #tesla

25582) 0.6841) BREAKING: $TSLA up another $25 or 4.5% after gaining 127% in 7 months because of YOLO Baby.  $TSLAQ

25583) 0.6297) @Zekeboy4 We all know it is. But as I've been lectured repeatedly, fundamentals are and always will be irrelevant, and $tsla isn't an automobile company. Plus, in China, the retail investors really liked the dancing Elon. They could see he's dancing to the CCP's tune.

25584) 0.6808) We first were going to have a $tsla get-together in California. But since most of $tsla are NOW billionaires, we are moving the venue to a private island.   Elon's interview viewing is now for invite only basis. On the island. And only for those who were nice. @thirdrowtesla  https://t.co/l3XPw1Vsxd

25585) 0.8074) Hard to keep up with my short-term price targets😂. Since my 480 prediction has been crushed, I have to come up with new estimates👇👇👇 480👉490👉500...  I’m just happy I bought a few commemorative shares of $TSLA at 420. Hopefully that’s history now.  https://t.co/1bp7KY7vWa

25586) 0.5574) 18,000,000 shares traded by 1pm at an average price of $483. That’s a nominal value of $8,700,000,000, before 1pm on a single trading day.  $TSLA

25587) 0.2481) Ok I was wrong. Looks like $tsla may reach $500 BEFORE MLK Day!

25588) 0.7279) .@neelkashkari giving free money to hedge funds to buy $tsla isn't helping the average walmart worker - please explain

25589) 0.7269) $TSLA Is it safe to short at 500? Asking for a friend.

25590) 0.9767) Waiting for $TSLA to cross the $500 mark is like waiting  for midnight on New Year‘s Eve‼️   So excited‼️ 💖🥰🍀😁💫👏💝  https://t.co/xqasfSHWsS

25591) 0.3612) HOMEWORK  I would like all of my followers to know the difference between Tesla's GAAP (same rules for all U.S.-listed companies) and non-GAAP (defined differently by each company) results by the end of the week.  There will be a quiz on Sunday.  $TSLA #NotSellingAShareBefore5000

25592) 0.743) I’ve been bullish $tsla since $330 area. Congrats to all that held it.  I would take some profits here long at $492 area. It’s now a bit extended

25593) 0.1007) This is getting silly! $TSLA  https://t.co/wcUYePcw1w

25594) 0.296) Ok THIS is the short squeeze. $TSLA

25595) 0.2732) Well done @jimcramer   $TSLA  https://t.co/i4bDDc9g1J

25596) 0.5859) Wow. Bloodsport cap is throwing in the towel. $TSLA

25597) 0.5267) Warned you not to short. 511 is coming sooner than you think. $TSLA +17 today and nearly up 80 points since alert level enroute to target. In #fibonacci i trust. Especially at ATH’s  https://t.co/f9oyPY7VxS

25598) 0.6369) Per request $TSLA Weekly RSI 81.5 Market cap $85B PEG ratio -9.4 Quarterly revenue growth -7.6% (yoy) Quarterly earnings growth -54% (yoy)  https://t.co/6N9EKzgDVt

25599) 0.296) The below chart illustrates the three major surges in $TSLA's share price that have happened - 2013-14, 2017 and currently.  https://t.co/3YUQWcSH4n

25600) 0.4826) I believe we are in the midst of $TSLA's third major revaluation, on the back of Model 3's successful scaling as a global mass-market product, and the prospective launch of Model Y and other vehicles. I wouldn't be surprised to see $1,000/shr by year end.

25601) 0.3182) $TSLA has set fresh all-time highs nine times since Dec 18th. The last time this many ATHs were set was in the first half of 2017, when $TSLA exceeded $300 for the first time and then traded in the $300-400 range for two years.

25602) 0.5103) Message to $TSLAQ: If you can read this (in case I’m not blocked by you lol), it’s ok to be wrong sometimes, quit your short position, buy $TSLA, wait 5+ years. Do this before January 29th or you will be bankwupt!!

25603) 0.8268) @elonmusk Great team you got Elon! $TSLA strong

25604) 0.765) As of this moment, the stock market value of @Tesla ($86.6 billion) is greater than the combined values of GM and Ford ($86.1 billion) $TSLA  https://t.co/HWIxz7jEd7

25605) 0.2023) $TSLA up $300 (or 54b MC) from 52 week low based on a profit of 100m  seem rational GTFO

25606) 0.5574) Tesla up only $8 so far today. Slow day.  $tsla 😊🚀🔥

25607) 0.4215) My $TSLA position is up 42.06% lol

25608) 0.6369) Deep dive into $TSLA by short seller Plainsite.   Regardless of your views on Musk (I like him + TSLA), this is a substantial work worth reviewing.    https://t.co/teyGGUduuy  https://t.co/3ZyqAjiJN5

25609) 0.7828) Currently taking a break from my groundbreaking work on ATAAS and $TSLA ($250) / $TSLAQ ($10).  Something bigger just fell into my lap.  BREAKING:  Morgan Stanley will be opening a sports betting line to be helmed by yours truly.  I have a really good feeling about this.  https://t.co/LSMUwHBJ6Q

25610) 0.4194) Possibly not due to the initial Model Y production ramp, but the pull-forward of Model Y cash flows is far more significant to $TSLA intrinsic value than a possible temporary dip in total production. For me, the critical Q1'20 items are Model Y and Giga Shanghai production ramps.

25611) 0.4939) instead of taking short setups on $TSLA its much cheaper for me to lease a few of them and just enjoy

25612) 0.1531) 🇩🇪 Update:   Gigafactory 4 Germany Blueprints Hint That Tesla has a Solid Template for Future Factories  $TSLA #Tesla #GF4 #Germany    https://t.co/iSCWZQviiK

25613) 0.5106) 60 Tesla vehicles will become part of the 'Free Now' fleet, a joint venture of BMW and Daimler  $TSLA #Tesla    https://t.co/FBtZ968jWL

25614) 0.4754) Tesla’s First Identified China-Made Model 3 Design Update Hints at a More Mature Production Process  $TSLA #MIC #Model3    https://t.co/hfAxQnxJx3

25615) 0.4019) #gigafactory 4 Blueprints Hint That Tesla has a Solid Template for Future Factories. @gigafactory_4  Elon's mission is to transform the entire planet's energy structure, even on Mars.   By: @PurplePanda88 Via: @Tesmanian_com  $TSLA #Tesla #GF4 .@elonmusk  https://t.co/W7xoimWPY8

25616) 0.0772) Tesla $TSLA is charged up for surprising rally in 2020 and beyond. @BruceKamich breaks it down:  https://t.co/mrSJmtfS36

25617) 0.5574) $tsla 6 Million shares traded in 1st hour today. Insane volume and stock is above to launch anytime right now.   Volume is a great indicator which direction stock will move. $tsla might touch 479$ today.  @Hein_The_Slayer @loky080659 @jjhanna2 @OnDaBus6am

25618) 0.5106) 60 Tesla vehicles 🚘🚘🚘will become part of the 'Free Now' fleet, a joint venture of BMW and Daimler   @Tesla @elonmusk  $TSLA #Tesla   https://t.co/JYuyftqOg7

25619) 0.4019) I entered a NTM $TSLA call position. I feel icky. Partial capitulation, secured.

25620) 0.1526) Man don't you hate it when a @Tesla supercharger catches on fire?  It makes such a big explosion too when the gasoline tanks erupt... $TSLA / $TSLAQ  https://t.co/gWI7EvMaYO

25621) 0.34) $TSLA was below $180 in June of 2019.   Current value? $470 (and climbing)  https://t.co/1hjgKMOxCU

25622) 0.6103) Another day, another ATH for $TSLA congrats long term investors!! ❤️🚘🚀  https://t.co/Z8Alo2Bv3f

25623) 0.1531) Shoutout to the 🐻s who get it; who can admit the possibility they may have been mistaken (something everyone should have the ability to do). It shows real maturity.  $TSLA #Tesla $TSLAq

25624) 0.7845) Thanks @WPipperger  for accelerating the wolf transition to sustainable energy. $tsla thanks you

25625) 0.3612) Get ready for the beginning of the end. $tsla

25626) 0.8352) Hmmm. So not $tsla's fault, after all? @WPipperger? 😁😁

25627) 0.0516) $TSLA is at $475. That’s 168% increase from the 2019 low. #Tesla

25628) 0.4215) 🇨🇳 is the place where the whole auto industry will face harsh truth of disruption. GM, Merc all give sales and revenue warnings in China when Tesla proudly and joyfully presents their China made models and the production. Change couldnt be more tangible.. $tsla

25629) 0.6486) @mickey_du $TSLA bears have it rough. But it does seem some tend to rather enjoy it..

25630) 0.2942) Not the first time CNBC is confused! 🤣  $TSLA

25631) 0.4404) Hmm.  I think I said this a few days ago.  Good Stuff from @karenfinerman   $TSLA

25632) 0.2625) Over night $TSLA saw a 3% fall then a full recovery. Absolutely no relief for the shorts. Really strong price action despite the current level. #Tesla

25633) 0.1531) Cramer victory lapping on $TSLA after saying Musk should get medical help at the low is some grade A premium level  twitter.

25634) 0.7506) the car, the better balance sheet, the surprise quarter, the Chinese plant, the pick-up, the saner, less erratic Musk, and the wife and kids all played a role.... $TSLA, @elonmusk

25635) 0.5562) Check it out! Tesla has created the ability to travel all across Canada with its new Superchargers, watch this:  https://t.co/IWDZRZI3VQ $TSLA #TeslaMotors #TeslaModelS #TeslaModelX #TeslaModel3 #TeslaSupercharger @Model3Owners @ani_seh @TeslaOwnersONT @IanPavelko

25636) 0.1739) "Uuuuuuhhh, Media is owned by Big Oil and therefore biased against $TSLA! Start Pravda! Uuuuuuhhh"  - Tesla Fan  Meanwhile the Tesla news channel remain 100% unbiased  $TSLAQ  https://t.co/kRIuHilq7V

25637) 0.1695) Let's not forget that a year ago @Gfilche  was still expecting a revenue of 36 billion dollars for $TSLA $TSLAQ in 2019. This year it should already be 51 billion.  This man is a real expert.   https://t.co/rvpxnxLLth  https://t.co/fzY0G3Hyuj

25638) 0.8027) @ValueAnalyst1 @NotThatTesla As a foreigner and Tesla enthusiast, I just don't understand how not everyone isn't excited and proud of what Musk is building in this country and abroad. 🤷‍♂️ Please take care if this guy, and keep spreading the word folks ;-) $tsla

25639) 0.2023) #ExplainBABYCharts #FraudWatch day 342  #BABYcharts, you seemed to be having a bad day, so I made something special for you. Chin up boo. 🤘🥳  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/HJazIHUWn2

25640) 0.6209) $TSLA - And don’t fall asleep on Tesla’s Autopilot on the highways!  Or have your pet Goat drive!  Or Use your laptop!  Thanks!

25641) 0.34) $tsla and $tslaq let's play a game.  Norwegian airport or US airbase in Iraq?  Go...  https://t.co/r2w2EL2IXj

25642) 0.4767) Jim Cramer said $TSLA market cap should be much bigger and @elonmusk sells every cars he makes in premier price. Jim also impressed with #Tesla China’s developments, especially Elon able to build GF3 in 10 months.  https://t.co/b9Pay9pW4V

25643) 0.3716) @MidwestHedgie Nobody is being chill.  It's insane.  But we live in a world in which a $tsla may have burned 1000 cars and an airport to the ground, but that helps next quarters sales.. 🤷‍♂️

25644) 0.8591) Of course oil goes higher. Which is good for Tesla. $tsla high dividend stocks hold up best. Institutions sell their liquid stocks. Big caps. And people take gains and rebalance.

25645) 0.6326) Elon - Thank you so much for giving props to the Early Adopters  (S/X/Roadster) at the China ceremony.   It's refreshing.    @Tesla @elonmusk #ModelX #ModelS #Tesla $TSLA ❤️❤️❤️

25646) 0.7543) "I love my $TSLA, but"  Classic 😂  https://t.co/Ut86Zhjv6i

25647) 0.25) Well, with the macro news today, I may adjust my episode plans. May not use the results of this, but what do you want to hear more about?: $TSLA

25648) 0.128) Saudi's now rotating into Defense names and out of $TSLA....  https://t.co/YmCQ7uDr64

25649) 0.4215) $tsla gonna hit 500 tomorrow on the flight to safety

25650) 0.8481) $TSLAQ guys finally get saved from $TSLA finally going down... unless Elon decides to build a CyberTank for the US Military 🤣🤣

25651) 0.5994) I’m up 80% on my $TSLA investment. Started buying shares in 2016 and held onto them through several up and down swings 🎢📉📈  Crazy as you might think, I strongly believe $TSLA is undervalued by an order of magnitude... 🤯  See you at $4,200 ☺️   https://t.co/wL5JWpeNaW  https://t.co/fOO3bxjWY8

25652) 0.4019) Li Qiang, secretary of the Shanghai Municipal Party Committee, met with @ElonMusk and had a factory tour in Tesla Shanghai Gigafactory 3.   $TSLA #Tesla #China #GF3    https://t.co/4iss7vlIxl

25653) 0.9022) This Iran thing should be great for $TSLA. The US military should contract them for exploding cars. I hear that those are popular in the middle-east, and I hear that Tesla is the best at making exploding cars. $TSLAQ.

25654) 0.4215) False. $TSLA did not "surge by 17.5%" today, counter to @CNBC's front page claims. Just because @Jim_Cramer's wife likes a stock shouldn't mean that @CNBC can conflate dollars and percents. And yet...somehow it happens. On the front page.  https://t.co/Pth074TGiY

25655) 0.2023) Here's the top. ICP Juggalo's have now joined with @Tesla.  F'n magnets....how do they work?   $TSLA $TSLAQ

25656) 0.128) Yet NHTSA will not disclose crucial information about crashes that have already transpired because $TSLA has insisted that the government keep its so-called "trade secrets"—which might result in significant legal liability if known—confidential.  https://t.co/v3Psn2j5Hn

25657) 0.3182) It will take about 6-10 years for $TSLA to reach $5,000 per share aka $1 Trillion Market Cap...  Here's how I see it:  2021-2022 = $200B ($1,000)  2023-2025 = $350-500B ($1,750-2,500)  2026-2030 = $800B - $1T ($4-5K)  2031-2040 = $2-4T ($10,000-20K)

25658) 0.5719) @CNBC The latest version of the $TSLA "AI" "neural net" that Cathie Wood loves to prattle on about literally cannot tell the difference between a small child and a plastic cone.  https://t.co/8ImGWNAdjA

25659) 0.4417) The likelyhood of number of ICE companies being bought by tech companies has increased dramatically. ICE industry is highly exposed financially as well technologically. $tsla

25660) 0.0772) Musk's TV proxies: On the left, ARK's Cathie Wood, who sold off over $120 million+ of $TSLA stock as she promised it would go skyward—but didn't mention her sales on @CNBC (which didn't ask). On the right, Ross Gerber, who still won't answer questions about his questionable bio.  https://t.co/gqVgCrHvdV

25661) 0.807) The man is fearless &amp; master marketer  @elonmusk #Billionaire Daddy #Dancing all the way 2 the bank with #Tesla hitting RECORD HIGH &amp; worth more than #GM &amp; #FORD combined. #China excitement lifting $tsla producing 1k #model3 a week &amp; set 2 produce #ModelY in 2021. Can't b unseen!  https://t.co/NIGoIPud9z

25662) 0.2732) Question for WallStreet. Is Tesla Energy still a zero? Looking at you @BearAdamJonas 😉   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/MRjM4IPxKl

25663) 0.4588) "Tesla's market cap is the third highest globally after Toyota and Volkswagen"  😁 $TSLA $TSLAQ Tesla spirals to record market cap for U.S. automaker  https://t.co/VWJDtZqqLG

25664) 0.5106) This is a pleasant way to end the trading day. 😉 $TSLA  https://t.co/ZaTrMk0BC4

25665) 0.4588) Tesla Price Target Raised to Street-High $556 from $396 at Argus  welcome to the Prices Right $TSLA style  https://t.co/CoxffZDMbz

25666) 0.8976) Tesla is now the most valuable “car” company in American history. “The extended rally by Tesla has its value topping the $80.81B cap of Ford in 1999 and easily outdistancing the record cap for pre-bankruptcy General Motors (GM) or post-bankruptcy GM.” Congrats @elonmusk ! $tsla

25667) 0.5423) Reminder that Elon doesn't get his first 1% equity award until $TSLA trades at above $100B for both 1) 6 month average and 2) 30 calendar day average. $TSLAQ  https://t.co/uiQW3sM8wB

25668) 0.4019) $TSLA to $500 before earnings?  Its definitely high on the RSI, so who knows.

25669) 0.68) $tsla everyone Bashed the Cybertruck.  Someone please bring the analysts back from that day! I’m glad I helped some stay the course.  https://t.co/YQ3Mah7xrG

25670) 0.2023) Can't wait to see those latest 13F filings revealing all who have been scooping up $TSLA hand over first 😬  https://t.co/qKsVYdaTiO

25671) 0.5166) I sold $tsla at $388. And no regret, yes it’s a great company, but everyone thinks China is some magic catalyst that is going to propel Tesla to new highs. There is a lot of risk involved in this stock, buying at this valuation is taking massive risks for a mediocre reward.

25672) 0.8625) My initial buy of $tsla was $180 during that dip then added on way up. I've taken most off the table now, but still riding a few shares. I love how shorts are getting f*cked.

25673) 0.4404) Tell me who is buying $TSLA at ATH? (There’s only one good answer.)

25674) 0.3382) Well this is making my day!  #ShortBurnOfTheCentury #squeezesqueeze #burnshorties #Tesla $TSLA   🤡💩 $TSLAQ 💩🤡  https://t.co/IJAkvQ30Uj

25675) 0.1511) A decent number all round! $TSLA  https://t.co/VvC7itWJqn

25676) 0.5994) Want to be a hero? Time to short $TSLA  https://t.co/cVl9LCMUQd

25677) 0.8316) I should have invested in TESLA  and Beyond Meat stock cause I believe the best way of saving the planet is by being rich. $TSLA

25678) 0.4588) While sitting on shuttle to convention center, 2 guys in front of me talked about $TSLA. One guy said he should have bought when it was at $250. Yes buddy, yes you should have. 😬

25679) 0.5023) Hats off to the dancing-CEO, but if he doesn't do a capital raise up here sometime, he is even crazier than his dancing.  If I was Elon, I would plug one the convert bid deals he must get bid every night by the IB'ers.  General credit spreads are tight and $TSLA vol has expanded.  https://t.co/IteyN2nXvB

25680) 0.3182) It sure didn’t take long for $420 to turn into $469.69. $TSLA  https://t.co/4oKrSN81Gv

25681) 0.6687) ‘There is no other country in the world where ⁦@Tesla⁩ can move forward so efficiently. In India, it may take a year to lay the foundation for a factory. In Germany, 1 year may not be enough for negotiations with unions’ Good read! $TSLA @firstmove   https://t.co/dmXga7Bi6u

25682) 0.6908) Tesla shares shorted have decreased from 43.6m in May to ~23.9m today (on my estimate) while the $ value of the short has increased from $8.1bn to $11.1bn. However excluding convert hedging I estimate real short seller exposure has been in the $7.3bn to $8.3bn range. $TSLA $TSLAQ  https://t.co/lETRoUt3fE

25683) 0.5102) As a few have requested it, I've uploaded my #Tesla parody video to youtube. So you can now share mocking TeslaQ in their bunker with the non-twitter world! Oh, and of course #ElonMusk's little dance! Enjoy! $TSLA    https://t.co/2SQtctKKza

25684) 0.4404) I hope Norway has lots of cctv coverage in their airport parking lots. $tsla $tslaq

25685) 0.1531) "The firm says to justify the curr Tesla share price one arguably must assume that by 2025 Tesla will grow annual volume to 1.2M units, which may not take into account the greater auto cycle risk being factored into other auto stocks."  $TSLA $TSLAQ  https://t.co/WVuQvUPfpt

25686) 0.4472) hilarious that so many assume awful customer service &amp; shop work aren’t by design- &amp; kudos to Elon for building a narrative so utterly divorced from reality  $tsla is perpetually short cash &amp; profit. Underinvesting in infrastructure &amp; ignoring customers is the business model

25687) 0.6249) Great work by @BreitbartNews RE $TSLA / Musk:  https://t.co/Yb1qcBFiTf

25688) 0.3197) @ValueAnalyst1 @tslatrack Decent. It just sort of sucks that you can’t even take 20 shares of $TSLA off the table to get an iMac without being shown just two days later that you could have had an iMac Pro. 😤😂

25689) 0.4588) Is anyone still short $TSLA my goodness

25690) 0.6124) Li Qiang visited @Tesla Gigafactory 3 to assess the overall design and progress of the project, and also had a conversation with @elonmusk on the future development of the project, application of the latest technologies and market prospects🙌🏻 $TSLA #Tesla  https://t.co/5Uo8twkVjl

25691) 0.7003) Imagine still being short $TSLA here. Better yet, imagine paying 2 and 20 to a hedge fund who is still short $TSLA here. 😂

25692) 0.4404) This is a good time to point out that $TSLA self insures.

25693) 0.8773) $TSLA will change the world the way Amazon and IPhone did.  Blackberries were extinct within 5 years. Today, EVs are 2.8% of US market; #Tesla has 78% share so 2.2% share overall. By 2024, EVs will be 25% of market.If Tesla share drops to 40% ~ 10% share overall, a 4.5x increase.

25694) 0.5719) Elon's happy dance pushing Tesla up another $12. #tesla China doubles the potential output for tesla at half the cost. $TSLA #ModelY

25695) 0.6369) Would love to hear a follow-up interview 😏 $tsla  https://t.co/mLElYCAxen

25696) 0.6457) $TSLA shorts are losing $$ to this  😆😆😆  https://t.co/O3EHd7g7ch

25697) 0.7974) For Google to DEPLOY 1MM self-driving cars, COST = $100 BILLION.  For $TSLA to deploy 1MM self driving cars,  PROFIT = $10-$20 billion!  Tesla already has &gt;800K cars teaching the neural net, AFTER making a profit selling each of those cars! $tslaq  https://t.co/dzpQiRufVx

25698) 0.3612) feels like psychological $500 is inevitable for $tsla at this point $tslaq

25699) 0.743) The man does his homework... Wow.  Lot to digest here.  $tsla  Thank you @PlainSite

25700) 0.9794) Tesla Is the Most Valuable Car Company In America Ever | Barron's  Wow congrats ⁦@elonmusk⁩ 🥳🥳🥳🥳🥳🥳🥳  $TSLA  https://t.co/XKVBv00W5N

25701) 0.3612) Dance like @ElonMusk is watching? Here's why @JimCramer thinks Tesla should actually be a lot higher.  Read his full take on $TSLA on @RealMoney:  https://t.co/GQ5QXKeWO1  https://t.co/LZYtAXcViS

25702) 0.8805) The Chinese have always been distinguished by originality, speed and intelligence, which is why China is a great place to develop, create and implement the most original and unexpected solutions 🙌🏻  @elonmusk knows it 🕺🏻🔥 $TSLA #Tesla #TeslaModel3   https://t.co/putLEASUiU

25703) 0.4588) Feeling like a $470+ kinda day. $TSLA

25704) 0.5242) The ~$25,000 Tesla is coming and will be designed in China!! Tesla should only focus on safety and reliability on this one. Model 2/C? $TSLA

25705) 0.3291) For some reason, 2 legacy RVG programs (roughly same amount as the transferred RVG)  didn't qualify for the accounting change.  They remained as leases.  We don't hear much about them, but you can still see what $TSLA owes vs what they're worth..  Hint: less... 6/7

25706) 0.5423) Only, they weren't totally out of sight.  About 1.6b of RVGs were reclassified to SRR.  The remainder stayed in leasing.  and inn 2019, $TSLA had to take a 550m charge in SRR for these vehicles as it became clear they weren't going to be worth what $TSLA thought.  5/7

25707) 0.8779) It was a clever strategy.  $TSLA received full purchase price in exchange for a promise, if needed, to buy the car back in the future at a set price, the RVG.  Until 2017, $TSLA booked the transactions as leases.  The disclosure was pretty clear.   3/7  https://t.co/JC20gMLo6y

25708) 0.9451) 6 years ago is starting to come due.  Accounting rule changes and effective obfuscation of relevant disclosures has it pretty well buried.  The Resale Value Guarantee (RVG) began ramping in 2014.  It's intent was to boost $TSLA sales by guaranteeing 2ndry market values.    2/7

25709) 0.9468) One of $TSLA's core strengths is the willingness to promise the future to boost it's present.    Solar tiles  FSD 35k M3 Pana purchase commitments  pickup truck  semi  robotaxis etc.  It's a talent they've honed over the last 8 years.  One clever promise, first made over   1/7

25710) 0.765) I remember back about 18 years ago when every broker on the street had a big buy target on #Nortel at +$128. Remember: even though its big, and popular, and gets a lot of press, it can still be a huge torpedo ready to blow up your portfolio. $TSLA.

25711) 0.2732) The best reason why $Tsla has been going up. This fellow is 90% wrong 90% of the time  https://t.co/nbzuNHm8cB

25712) 0.5859) Check out Tesla shares off to a hot start this morning after Credit Suisse hiked its price target on the electric automaker to $340 from $200. $TSLA  https://t.co/uzEUy68Ol1

25713) 0.5994) @GS_CapSF @SquawkCNBC @munster_gene @andrewrsorkin @Lebeaucarnews (2) And here are the comps for the tech leaders that people like @munster_gene want to compare $TSLA to. All have margins and/or ROIC’s well above Tesla, which is still an auto OEM.  https://t.co/fsMmbcemtw

25714) 0.8452) 5/  Nevermind, $TSLA says, payments made are now material, but if we have to make even more payments in the future, they won't be material  How much has been paid out to date for this "guarantee"?  The entire business model is littered with these landmines  (Q1 2019 10Q)  https://t.co/Ph3owe1qs5

25715) 0.7814) 4)  Ok, ok $TSLA says, we made some payments out, but they were "immaterial", and we totally won't have to make any more payments  (Q3 2018 10Q)  https://t.co/yJx25JGkw1

25716) 0.7011) 3/  But what $TSLA (SCTY) failed to mention in the press release, was that to get this tax equity raised, $TSLA literally had to guarantee the returns of the investors.    Don't worry, Tesla said, its improbable we will have to pay out any incremental dollars  (Q1 2017 10Q)  https://t.co/WDhcj4hYyw

25717) 0.6369) The new cyberdance. At first you'll be like Whaaaat...but once it settles in, that's the only move that will help you at clubs. $tsla

25718) 0.7506) Most investors are used to their CEOs being “cheap, empty suits”... what’s shocking about @elonmusk is he’s unscripted and real.  In this clip, he gives his sincere thanks to the early adopters and workers and entices talented Chinese designers to work for $TSLA by talking vision  https://t.co/Z1ienCe5VR

25719) 0.2644) Me: there’s not nearly enough demand for the $tsla MiC Model 3. Shanghai is going to begin manufacturing the Y soon and it will be exported to EU in 2H from there  Bulls: you’re such a loser, that will never happen  Tesla: that’s exactly what’s happening  Bulls: Musk is amazing!

25720) 0.0629) At $48B in in 2022 revenues($24B in 2019), with 10% operating margins, and a 30x multiple, you get to a price below today’s $TSLA stock price, @SquawkCNBC. Math is hard, but not that hard. @munster_gene @andrewrsorkin @Lebeaucarnews

25721) 0.6705) Pretty sure TSLAQ is still on #1.  $TSLA

25722) 0.4404) My $TSLA Jan 21 $500 calls are at $63.50...  I bought for under $5 (much more than 1)  The more TSLAQ talks, the better?

25723) 0.5719) @realDonaldTrump in this video we see Tesla CEO Elon Musk celebrating the prospective relocation of his manufacturing operations from Fremont, California to Shanghai China. $tsla $tslaq

25724) 0.7876) Tesla bear at Credit Suisse raises price target 70% to $340 but current share price is already 35% higher. Yet he thinks $TSLA could hit $1,900 or 10x the price target he had yesterday. He recommended people short a stock he thought could increase 10x?  https://t.co/mdT9CDnS8l

25725) 0.296) Chart of the Day: $TSLA shares hit $460 pre-market as the company begins public deliveries in China.  https://t.co/oaiNv5Mkq2

25726) 0.4019) @TeslaPodcast CEO dancing and stock price all-time high... It's just an average ' $TSLA rave party'.  https://t.co/deQ3ZsPZzb

25727) 0.7218) Interesting to look at the microstructure of $TSLA every day. Particular those very first transactions at the opening of the order books European AM all the way to the opening bell. But I guess neither the exchange nor the regulator will look at those, so it must not matter 🤣

25728) 0.8442) Nearly 60 points in 5 trading sessions. Huge rally from the sub wave 4 low (daily demand 406) mentioned in my plan below. Projection playing out beautifully. Congratulations if you followed $TSLA  https://t.co/bKKiH4S15N

25729) 0.0516) $tsla premarket, new ATH, @elonmusk manipulating market with fancy new dance moves clearly  https://t.co/uO3ia0dOBz

25730) 0.4588) Will the market cap of $TSLA eventually crash like its cars on autopilot?    Asking for a friend.  https://t.co/6Y41xqjkE6

25731) 0.2023) CS Uberbull Scenario suggest a 3% chance of 1922/share on $tsla  in 2025.- with a 82% chance that stock is lower than current in 5 years.  https://t.co/AgrugBuaLr

25732) 0.0534) "Ultimately Model Y will have more demand than probably all of the other Tesla cars combined... and will have advanced manufacturing technologies that we will reveal in the future," Musk told the crowd. $TSLA  https://t.co/fNXj9o21AA

25733) 0.784) Thanks you. Perfect comparison!  $TSLA #ShortsAreFucked @Tesla  @elonmusk  https://t.co/VevBKkoj48

25734) 0.2235) Key Announcements Elon Musk Made at the China-Made Tesla Model 3 Delivery Event.   Can't stop watching Elon's dancing exercise in GF3.  by: @PurplePanda88 Via: @Tesmanian_com  $TSLA #Tesla #TeslaChina #Teslamodel3 .@elonmusk   https://t.co/PvFqWAdv9J

25735) 0.6908) .@elonmusk yet another example of your companies making the world a better and safer place for their customers and their families. 🙌 $TSLA #Tesla

25736) 0.3182) Does anyone know from what price Speigel, Einhorn and Chanos started shorting $TSLA?  Curious as to how much they are down.

25737) 0.6597) Whether you’re short or long $TSLA, I think we can all agree that Elon’s dancing is better than Steve Balmer’s

25738) 0.25) "Model Y will also have some advanced manufacturing technologies that we will reveal in the future" $TSLA   https://t.co/dE6auIjMGf

25739) 0.5951) BREAKING!! First #Tesla China customer deliveries!! Staggering achievement @elonmusk and the @tesla China team!!!!! 👏 $TSLA 🎉

25740) 0.4215) Visited 2 $TSLA China stores. According to reps, Tesla doing 1000+ DAILY orders across China after recent price decrease of SR+ to sub 300k RMB after subsidies. China, world’s largest auto market already supply constrained + exciting 2H 2020 ahead as GF3 Shanghai ramps production

25741) 0.296) Ok a little different vibe than the #CyberTruck unveil #TeslaChina #ElonMusk is a master marketer indeed $tsla #Tesla

25742) 0.1779) This China story for $TSLA just gets better by the day. They have no idea how much cheaper the MIC Model 3 will by year end.

25743) 0.5965) Dear $TSLA short sellers, my dear $TSLAQ nut-cases and rabid lunatics. I just want to be very straight with you, no beating around the bush, now don't be upset, but...  https://t.co/c79M970rrO

25744) 0.7456) @RationalEtienne @elonmusk The Market likes the dance, $TSLA is up 0.97% pre-market - LOL..

25745) 0.0534) “Ultimately Model Y will have more demand than probably all of the other @Tesla cars combined... and will have advanced manufacturing technologies that we will reveal in the future.” -@elonmusk $TSLA

25746) 0.6457) Boy, things look like they're going swimmingly well for $TSLA in China. Just kidding. The disaster of the MIC Model 3 is just starting to unfold. @jzanotherpatsy explains in this excellent thread.  $TSLAQ

25747) 0.4404) Hope $tslaq is wearing underwear because those shorts are about to be completely incinerated.   $tsla at $500 by MLK Day. I'm callin it now.

25748) 0.658) What an amazing day in @elonmusk land today!  Goodnight to everyone in the Tesla, $TSLA, and SpaceX community!

25749) 0.3365) ⚠️BREAKING: Tesla will make future vehicle models originated from engineering team in China for worldwide consumption on top of Model 3 and Y! ⚠️  Here is the clip: “...something the world has never seen before... something that moves their heart!” - Elon Musk❤️   $TSLA #Tesla  https://t.co/oHS2yUqVOk

25750) 0.5267) Elon announces intention to create China Design and Engineering centre to develop an all new car for world market. Something as original as CyberTruck $TSLA @elonmusk @jpr007 @thirdrowtesla

25751) 0.1779) 6/ Interesting nuggets of conversation posted by buyers:  - $TSLA sales said MIC quality is bad, don't buy, &amp; persuaded her to buy a US-made M3 - believed that the MIC-M3 est price back in 2019 was false advertising just to make it look like the US M3 is not as expensive  $TSLAQ  https://t.co/9hu1wp7a6n

25752) 0.6113) 3/ Background/ timeline: - bef Oct 19, $TSLA said MIC M3 price is 32.8k, not incl AP which is sold separately at 2.8k; US-made M3 at 36.4k, so effective price diff is 8k - Nov 19, price changed to 35.58k including AP, making buyers think the price difference is negligible  $TSLAQ  https://t.co/tbNjEF4Zsn

25753) 0.2263) End of old ICE industry is nearing. Although symbolic, the fact that Sony is presenting a vehicle is very telling about the future of industry. Coming 24 months will be full of surprises. $tsla

25754) 0.2716) Tesla  new battery technology is the most important development in the industry. $tsla

25755) 0.3612) Tesla China's MIC Model 3 Delivery Event and MIC Model Y Announcement  @Tesla CEO @elonmusk with Mayor of Shanghai Ying Yong in the China Made #ModelY Program Opening Ceremony  Detail pix :  https://t.co/I587BXgmId  Thx @jsrdctz   $TSLA #China #MIC #Model3 #ModelY  https://t.co/FPCwcWpYiW

25756) 0.3182) Tesla short sellers are dead. Model Y line going up in China. China is going nuts for Tesla. This is amazing. Hahahahhahahaha great job @elonmusk - he also landed another rocket on a ship tonight. Time for bed.  $tsla

25757) 0.4404) If $TSLA traded on the 8.5x PER that BMW &amp; Daimler do, its current market cap would imply a 2020 net profit of $9.6bn, which is nearly 2x the market cap of Mazda.  $TSLAQ

25758) 0.3612) Tesla China delivery event about to start. A lot of MIC Model 3s are ready to be delivered all over China, we'll see how many the first day $TSLA

25759) 0.4682) Hi $TSLAQ $TSLA community! Can experts check out these China GF videos? It seems barely automated. Is this another Potemkin village? Play the vids @0.25x.  https://t.co/2WXrNnLFDP  https://t.co/AUBKriC0uJ  https://t.co/L81BwNHlrx

25760) 0.5994) Massachusetts Revives EV Rebate Program MOR-EV and Introduces Other Incentives for Electric Vehicles.   By: @PurplePanda88  Via: @Tesmanian_com  $TSLA #Tesla #EV   https://t.co/DacUMsyZuK

25761) 0.3164) Huh, looks like there IS pickup truck, nay CYBERTRUCK demand in Europe! $tsla @Tesla @Gf4Tesla @gigafactory_4  https://t.co/1RZrXdpIU7

25762) 0.9246) Massachusetts Revives EV Rebate Program MOR-EV and Introduces Other Incentives for Electric Vehicles  Definitely a great news for new Tesla owners in Massachusetts 🎉🍻  $TSLA #Tesla    https://t.co/OyzOT9qTp5

25763) 0.25) From 7th of January 2019 to 7th of January 2020 Tesla Shanghai Gigafactory 3 was created at a "China speed". This memorial moment will go down in history for Tesla and China.  #Tesla #TeslaChina #GF3 #Gigafactory #特斯拉 #中国 $TSLA  https://t.co/6jT0QifUUl

25764) 0.296) $TSLA #TSLA Something tells me shorts continue to get squeezed here, but who knows with this one. Too many people still trying to call a top  https://t.co/GbFwyYXZUg

25765) 0.0534) There's absolutely no way anyone with half a functioning brain cell would ride in Elon Musk's Hyperloop.  It's clearly why Musk wants to do brain surgery now. #Neuralink #Tesla $TSLA  https://t.co/PJlq0yNENJ

25766) 0.9643) New Amsterdam.. right across the bridge from New York City 😎  😂🤣😂🤣😂🤣😂  $TSLA 🤟 $TSLAQ 😢

25767) 0.5256) #ExplainBABYCharts #FraudWatch day 341  #BABYcharts isn’t very happy about New Jersey’s possible EV incentive. 😢   He asked where was the new Netherlands. Here’s a possible answer. 🤟🤟 #LFG #CYAZ 🤠  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/fzmuBfK6fa

25768) 0.2846) "Lol I love my Model 3, but if you want to talk about unscrupulous/high pressure car pushing let me tell you about my New Year’s Eve experience at a service center in the Bay Area..."  $TSLA $tslaQ #lovethecarbut  https://t.co/Gcz3c9Dc2q

25769) 0.8588) Recognize and respond to traffic lights and stop signs. ✔️  Automatic driving on city streets. ✔️  Amazing what real autonomy companies can accomplish when they use LIDAR. Also amazing to see an unedited autonomy video!  $TSLA is way behind the competition.

25770) 0.7096) I know the "shit floats when the tide rises" theory. But it helps to get a visual perspective of it sometimes:   $TSLA vs Fed Repos.  https://t.co/lp7RK3TB0l

25771) 0.5859) New Jersey to Offer a $5,000 EV Incentive and Plans to Expand Fast-Charging Stations for All EVs  $TSLA #Tesla    https://t.co/K5qgN1Gk9G

25772) 0.6705) This story is getting better everyday.  China might eliminate ICE cars in 10 years. Elon already adding another production line for model Y in China. Growth is getting parabolic. Tesla is taking over the world EV industry. $tsla   https://t.co/NgRnlIRF1u

25773) 0.6588) What a great time to be $TSLA in China!  $TSLAQ

25774) 0.4019) As much as I'd like to think this BIC rule applies to $TSLA, I'm hearing from good sources it likely doesn't. It could, but I think we need to see a lot more.

25775) 0.3612) Informed people tell me that, even if applicable to $tsla, the quick grant of an exemption would be likely. Outside my ZOE, obviously.

25776) 0.3182) Can anyone please find the CEO of Honda?  $TSLA  https://t.co/wnKSj5YWUh

25777) 0.7896) Tesla Model 3 was the best selling car of all Small &amp; Midsize Luxury cars in 2019 (December missing in the chart) $TSLA Congrats @elonmusk &amp; @Tesla !!  https://t.co/jxZbFg0qZc

25778) 0.6369) Jerome Guillen exercises and sells 2,000 2024 $TSLA options.  The insiders sure do love dumping their options years before expiration. I wonder why?  $tsla

25779) 0.6476) Well that's a good way to end a Monday! $TSLA  https://t.co/j0ZYkklg16

25780) 0.7579) to be fair, they're the best $tsla traders in the game

25781) 0.6658) More @ARKInvest $TSLA share sales secured!  https://t.co/E891h1BsZh

25782) 0.782) 4 days ago, I made near term prediction of TSLA reaching 450. Now what? 450 👉 460 👉470👉480? Hopefully the grand delivery ceremony at #GF3 plus announcement of #ModelY will push $TSLA to 480 and beyond 🚀  https://t.co/iDrdmy49qU

25783) 0.6908) $TSLA's record Q4 deliveries imply another quarter of GAAP profitability &amp; positive cashflow 🤑  https://t.co/SmTaOPIHzY

25784) 0.6453) @fly4dat @uber is better at burning money...  @tesla is very effective in R&amp;D  Shorts as a group still lost more money on $tsla then either spend on R&amp;D

25785) 0.4939) Over a year into owning my @Tesla Model 3 and I’m still just amazed. $TSLA

25786) 0.3182) @ghost_scot @Progressive @ameriprise @Travelers @GEICO @Allstate @lv @Churchill @Novo_Insurance @DirectLine_UK Combined ratio on @Tesla insurance is now 900% .  When it is below 100% , insurance makes money.  Currently every $1 in is $10 paid out. Good luck insurance. $tsla  will bankrupt you.

25787) 0.3352) I don't want to see screenshots of how much you made on your last trade. Stay focused.  $TSLA #NotSellingAShareBefore5000

25788) 0.4549) More truffles secured  $TSLA   https://t.co/6Jcc1TwhNp

25789) 0.5994) First time in the history, $TSLA is closed above $450 at $451.50  Congratulation to all #Tesla 🐮🐮🐮

25790) 0.25) $TSLA short interest will probably be elevated for the next 5 years.  Get used to it.  Not 20% high, but high.

25791) 0.4184) 🚨WARNING: $450 / share has been breached!🚨  $TSLAQ Shorts are looking to cover before the big event tomorrow in GF3 with Elon Musk!  $TSLA #TeslaChina #Tesla  https://t.co/Eg8CSv96p5

25792) 0.5733) It is absolutely unconscionable to think that a $tsla Powerwall installer would cut 3 (!!) holes through a SUPPORT BEAM in a house.  The entire house is now at risk. Absolutely, unbelievable.  Adam - you have my sincerest sympathies. No one deserves that.

25793) 0.6705) $TSLA chart thoughts.  Never thought it would reach the upside wave 5 price objective but it has now while short interest is now relatively low with a cluster of upside DeMark Countdown 13's in play.  https://t.co/ZJpMtctbw4

25794) 0.4939) Chinese friend translated this $TSLA related article - see 2nd pic  https://t.co/jMSE19dBXs

25795) 0.6249) Hi, it's great to see you again $450s  $TSLA  https://t.co/5lqGlsOfZr

25796) 0.7872) The wise way to trade $TSLA is to copy what Elon is doing: buy and hold.  Note the lack of "take profits &amp; wait for a pullback."  Trading around a fantastic long-term stock brings enormous risks.  "The first rule of compounding: never interrupt it unnecessarily." - Charlie Munger

25797) 0.2482) Ceremony to mark the first deliveries of made-in-China Tesla vehicles to customers is happening on Tuesday! 🇨🇳  Market is underestimating this HUGE MILESTONE that starts tomorrow. 🚀  ⚠️ $TSLAQ Shorts should interpret this as a WARNING! ⚠️  $TSLA #Tesla   https://t.co/Sg9mQd2mfa

25798) 0.6808) Have you even driven a Bolt, Kona, and #Model3? How about just sitting in all of them...  You would see the moat if your answer was yes to either one of those questions.  It's funny how many $TSLA naysayers there are out there who won't even test the product first.  🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️

25799) 0.8271) 2021 $TSLA valuation 1,5M cars sold FSD feature complete robotaxi yet, but drives as good as you.  Cost of FSD 20K  1,5M x 20K = 30B in profit  33,3X P/E ration  $TSLA  2021 =1Trillion

25800) 0.4215) $TSLA is opening first store in Israel - in Tel Aviv Ramat Aviv Mall, and will start selling cars in January.    This will make Tesla the first foreign car maker to sell directly to the Israeli market rather than using an approved importer's services.  https://t.co/epyqNrggmB

25801) 0.4019) Just discovered that a girl I knew from another college just started her Supply Chain internship with $TSLA today....god help her.   $TSLAQ

25802) 0.7845) Tesla has never turned a full year profit and is now valued at $78 billion. GM is $53 billion, Ford is $38 billion. What you are witnessing is one of the largest bubbles in a single security this cycle. When this thing pops, it is going to wipe out some serious $$ $TSLA $TSLAQ  https://t.co/uViMNx7Aby

25803) 0.34) Highlight: @TDAmeritrade Chief Market Strategist @TDAJJKinahan says millennial investors were into $TSLA in 2019: “They were buyers of Tesla early in the year, month-after-month. They were sellers of it in December. And so that worked out well.”  https://t.co/aHqSbVHYLE

25804) 0.6369) THE BEST.  $TSLA

25805) 0.9055) Elon arriving right now to Shanghai 👌🏻👌🏻tomorrow delivery event $TSLA

25806) 0.6908) $TSLA Added 15 shares 444. Pretty number.

25807) 0.4588) Tesla $TSLA shares have gained 150% since their recent lows last June

25808) 0.2732) $TSLA don’t care about war lol

25809) 0.3612) Looks like Elon will come to Tesla Shanghai gigafactory tomorrow.   .@elonmusk #Tesla #GF3 $TSLA

25810) 0.3612) “The price cut will stimulate Tesla’s sales performance and boost earnings and investor sentiment for companies in its supply chain,” CICC analysts including Wang Lei wrote $TSLA  https://t.co/satWpQNCLS

25811) 0.8038) Separately, claims of “3k/week capacity” &amp; Fremont production increasing are meant for $tsla suppliers who gave one-time rebates in Q3 in exchange for much &gt; volume commitments- see obligations explode in latest 10Q.  Now, Tesla will haphazardly rush to make good on guarantees.

25812) 0.6114) The last Model 3 and the last Model X registered in Norway in 2019 are owned by Tesla Motors Norway. Happy new year!  $TSLA $TSLAQ  https://t.co/cUGacyNtBE

25813) 0.4574) Tesla CEO Elon Musk Plans to Attend a Delivery Ceremony for Made-in-China Teslas in Shanghai on Tuesday. 🇨🇳  Something interesting is about to happen! ⭐️  $TSLA #Tesla  https://t.co/FQKlv7X8AE

25814) 0.4017) Tesla is massively indebted and has no path to profitability. This story is going to end very badly for shareholders. Tesla is as unstoppable.....as the Titanic was unsinkable. Icebergs abound. Good luck with your investment! $TSLAQ $TSLA

25815) 0.6369) ModelY made in China is coming sooner.. $tsla inertia is simply beyond any accustomed best practice

25816) 0.1531) $Tsla short selles have lost quite a bit of money. I don't celebrate this. I hope that this lesson shows them that they shouldn't blindly hate or bet against something they don't understand.    https://t.co/CLc503Qi03

25817) 0.1531) @CallerNaked @markbspiegel @LeftHandPole @bbm010 @CoverDrive12 @Andreas_Hopf @BradMunchen is not to be relied on for $TSLA earnings estimates anymore. He had GAAP net loss estimates of -$400m for Q3'19. Tesla reported a profit of $143m. He's been in a straightjacket ever since wondering how COGS/unit came down by 5.4% QoQ w/ only a 1.7% rise in deliveries

25818) 0.6361) #ExplainBABYCharts #FraudWatch day 340  My robotaxi-capable Model 3 is a total joy to drive every single day. Someone want to tell these poor #DumDums HW3 swaps began a while ago? 😂   Notice that #ToiletBoy doesn’t refute any of Ross’s claims 🤔  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/QK33FbecsU

25819) 0.2103) I've never read 25 books in a year. These are just the BEST 25 books Bachman read last year. I wonder if he has a "25 Worst" list too. $tslaQ $TSLA

25820) 0.4753) China Made Tesla Model 3 Demand after price cut! This is how it looks like in China 🇨🇳 in one minute. Thanks @vincent13031925 for the photo.  #Tesla #TeslaChina #ChinaMade #MIC #Model3 #特斯拉 #中国 $TSLA  https://t.co/PB0oE5dpSp

25821) 0.5411) @snopes Let me help you with this! Here is a screenshot from Tesla’s website TODAY.   “The person in the driver’s seat is only there for legal reasons... the car is driving itself” $tsla $tslaq  https://t.co/IMeRnMDTvP

25822) 0.1027) $TSLA became a flagship of China’s opening-up - business environment reform movement – an enviable position for any OEM   CD re-iterated reports on current GF3 prod. capacity of 280 cars/day, slated to double in 2020 and include completely domestically produced components

25823) 0.34) Slashing web site maintenance costs by avoiding absolute deadlines.  the statement highlighted can be taken - and is clearly is, by friendly blogs and podcasts - as perpetually correct: $tsla  https://t.co/yizOCBiQ9g

25824) 0.9287) I've been active on Twitter since 7-8 months.   So I've been thinking, have I made any friends. Hmmmm.   To make it easier, I've come up with a criteria. If we have exchanged more than 5 tweets, then I consider you a twitter friend. Hope we meetup someday.   Thoughts? $tsla

25825) 0.4019) My latest article in Clean Technica talks about Tesla's latest accomplishments. Tesla, the tech company, not the kitten who is currently running around in circles chasing something I can't see.  Anyway check it out fam $tsla cc @elonmusk @mayemusk @vincent13031925 @Kristennetten

25826) 0.923) finally having time to reflect on record $TSLA Q4 deliveries of 112k  wow.   -Fremont getting way more efficient, production up 9% q/q (implying awesome GM) -deliveries outpacing prod, meaning huge cashflow  -Giga 3 output nearing 3k/week   🤯🥂Congratulations @tesla

25827) 0.2043) $tsla Model3 owners pull banners to say unfair for the current discount in Shanghai , police went from house to house to inform them and their company boss that it was not allowed to put banners , never saw the government is so nice to a foreign brand, not even to Apple!  https://t.co/eVB8yXeQ3z

25828) 0.25) Tesla Semi's &lt;2kWh/mile Consumption Hints at Serious Battery Improvements and Cost Reduction  $TSLA #Tesla #Semi   https://t.co/a5OxMSNOlW

25829) 0.6705) Following favorable Q4’19 results, $TSLA could soon secure cheap local financing for the construction of Giga Berlin 🇩🇪  https://t.co/6gqCN4fiKD

25830) 0.4404) @QTRResearch Ross’ math works out to $168K per client.  In other words, he’s Primerica with a nicer suit.  $TSLA $TSLAQ

25831) 0.8122) Love the Wheels!  I hope they make it into production.  $TSLA

25832) 0.4215) Pier 80 Today®...no change. Nice day, though.  These were shot about an hour ago. $tslaQ $TSLA  https://t.co/KOBiPO26EU

25833) 0.5709) $TSLA suddenly got very responsive with answering the owner and getting the the repair done immediately only after they found out that this Tesla was with Car and Driver. This car at just 5300 miles needed thousands of dollars worth of warranty repairs by the way.

25834) 0.7269) @TitoElBandito @TESLAcharts @elonmusk We need only consider what the promise means in the context of a securities offering.  If only there was an institution established to protect our capital markets. $tsla

25835) 0.6697) Interesting update to C&amp;D’s long term M3: Rear motor and fuse replaced (warranty reserve used up at 3 months) $TSLA service became very responsive upon C&amp;D publishing their story. $TSLAQ   https://t.co/gALSI3C2zJ

25836) 0.6249) Just got the attribution for 2019 and on a gross basis we made (yes, made, as in profit) 1.51% of the fund's AUM shorting $TSLA.  Theses are like noses; everyone has them. Timing and trade structure always matter at least as much, if not more.

25837) 0.8176) I’m ready for my roadster. Can’t wait... @elonmusk #tesla $tsla #capitalgains 😊  https://t.co/904IUQEdJd

25838) 0.4404) I have updated my $TSLA long term forecast with Q4 actual deliveries (my estimate was close, so the numbers didn’t change much).  GAAP profit expectations:  Q4 ‘19 $0.2B Q1 ‘20 ($0.0B) Full year ‘20 $2-3B Full year ‘21 $10-20B  https://t.co/0EeoxqGzFP

25839) 0.1531) The biggest 3 car markets in the world, tariff free, trade war immune:  China ✔️ USA ✔️ EU *downloading   @elonmusk has more foresight than any CEO on the planet.   $TSLA #Tesla  https://t.co/XQhGltZPKM

25840) 0.7579) Just sat reading The Player Of Games enjoying the tranquility of the Indian Ocean and someone’s gone and parked their bloody #Cybertruck right in front of me 💁‍♂️. They’re taking over the world @elonmusk 🤣 $TSLA #Tesla  https://t.co/9YaMGIhkgp

25841) 0.6808) Tesla Energy is our road to a secure future: Tesla filed a new patent 'Solar roof title module with embedded inter-tile circuitry'  $TSLA #Tesla #Solar #Energy    https://t.co/QcbRrTvZb5

25842) 0.296) $TSLA on China's price cut. Sub 300K yuan is a huge psychological advantage.

25843) 0.7184) @seanmmitchell I was assured by expert shortsellers that competition was coming and would subdue $TSLA with the might of their superior design and manufacturing prowess. 😏  https://t.co/amjswRSuQe

25844) 0.8151) This comment perfectly embodies the vulture like personality of $tslaq. The only way you can get ahead is by someone else falling behind. Try being a good person and not a cheap bastard, wake them up and pay for an upgrade. Stop hoping for others to fail, it'll feel good. $TSLA

25845) 0.4404) Couldn’t happen to a nicer group of people   #shortenfreude $tsla #tesla

25846) 0.3818) @Commuternyc @davidein wishes that $TSLA were yet another Lehman moment. He got it right once and overestimates his own abilities ever since. That is of course fueled by a following that still looks at his one hit in awe. He’s a one hit wonder, face it.

25847) 0.4728) Very much hoping that @markbspiegel , @BradMunchen , @LeftHandPole , @bbm010 and perhaps @CoverDrive12 will joing @Andreas_Hopf in publishing a projection of Q4 $TSLA financials.  They were all much more accurate than the street in predicting Q2 2018 financials.

25848) 0.2732) Explaining physics to my 13 year old son. He has an exam. Electric power, calculating operation times and energy consumption...  P = U x I.  Used my neighbor's Tesla to explain kWh, power consumption, and resulting range... 🤦‍♂️  He prefers bi-turbo I think... $TSLA $TSLAQ

25849) 0.4404) $tslaq $tsla shorties traders r being misled by hedgefund heroes fables. Tesla is NOT Enron, Lehman, Halifax or Theranos. This idea is the biggest farce shorties brought on to themselves.1 million vehicles and three factories after, nothing could be further from the truth

25850) 0.796) Potential $TSLA S&amp;P index inclusion: 1) Tesla needs last twelve month &amp; latest quarter profitability to be eligible for S&amp;P. This would require $967m in Q4 (very unlikely) or $265.4m net profit in Q4 + Q1 (&gt;50% chance?).  Inclusion should be very significant for Tesla stock.

25851) 0.872) "Obrist Powertrain’s Tesla M3 Plug-in Hybrid conversion called the “Obrist Mark II” will support a range of 620 miles (1,000 km) through a battery pack “downgrade” &amp; the addition of a front trunk-mounted petrol engine."  Fans will love it. 😍 $TSLA $TSLAQ  https://t.co/jbU2CCpOTH

25852) 0.9421) Congrats @thomashawk on ordering your Model X! Seems like you managed to get a perfect picture of $TSLA short sellers harassing new owners.😉 Don't mind the $TSLAQ #DumDums, just enjoy the road trips! 😊  https://t.co/pfFcOov0IM

25853) 0.128) Tesla semi is the critical product lately overlooked due to the bright lights of ModelY and Cybertruck. It is likely to have more impact in many ways. $tsla

25854) 0.6705) At this point I’m pretty sure @SpiegelsMom and I have more ‘long’ money in $TSLA than @markbspiegel is ‘short’. I guess we should make some calls and be on TV.

25855) 0.6801) Well, @davidein, @WallStCynic and @montana_skeptic have made and/or managed millions/billions of dollars very successfully, so...  $TSLA $TSLAQ

25856) 0.6114) $TSLA - Happy New Year!   $TSLAQ

25857) 0.4912) Love this from @GerberKawasaki! I never talk shop on twitter, I’m here for #Tesla only, but the little investment firm I run takes on as much as Spiegel’s total AUM every 2-3 months or so &amp; you never see me on CNBC! The idea he gets any airtime is absolutely preposterous. $TSLA

25858) 0.9209) #ExplainBABYCharts #FraudWatch day 339  #BABYcharts tried to do the same 💩 #ToiletBoy did yesterday, but looking at the bigger picture and #hypergrowth is clearly visible.   Bonus: Some PaulieDumDum summons thanks to @Dodo723 &amp; @BminsiderDixon   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/AfNo0dtRbX

25859) 0.1706) Is it just me or is Maye and Kimbal spending an unusual amount of time with Elon here? This is more than the standard holiday visit.  Almost like a "Bad Habit" Intervention amount of time together....  Probably nothing.   $TSLA  https://t.co/6aAviEgyNS

25860) 0.34) Random Shot #8. Pride of ownership starts here. $tslaQ $TSLA #FremontFollies  https://t.co/WARgVVnjFJ

25861) 0.7096) Oh how badly things age in a short 5 months. 😂🤣😂 #Tesla $TSLA   🤡💩 $TSLAQ 💩🤡

25862) 0.8452) LMAO!   I remember this clip.  🤣  #ToiletBoy $TSLAQ $TSLA @Gerberkawasaki @elonmusk #TeslaStock

25863) 0.3254) $TSLA - Did JJ Watt commit securities fraud too?

25864) 0.8442) 😭 &lt;- @CGrantWSJ after reading this 👇 article in his own newspaper @WSJ   $TSLA $TSLAQ 😂🤣😂🤣

25865) 0.2732) Short are going to say that because of the leap year Tesla had an unfair advantage 🤣  $TSLA

25866) 0.6124) Sounds like AP was working like it normally does. Tell your Dad to just keep it turned off.  #TeamElon $TSLA

25867) 0.6062) Interesting!  Who will be the customer?  @Tesla? @VW? @GM? Someone else?  $TSLA   https://t.co/GRQcyJuJ57

25868) 0.3182) $TSLA - This is a lie.  Please show us where the 3,000 cars are located from last week.  We should see another 12,000 in 4 weeks, right?  $TSLAQ   Tesla Model 3 Production In China Already Above 3,000 Per Week  https://t.co/9XE19TzKZM

25869) 0.0772) Tesla crash of the day: T-boned a Mercurcy Grand Marquis. $TSLA $TSLAQ

25870) 0.4614) Crazy Eddie Memoirs: As our stock skyrocketed from $8 to $80, short sellers learned an important lesson - NEVER SHORT A FRAUD TOO EARLY. $TSLAQ $TSLA

25871) 0.4926) Police and insurance companies free tip:  Ask your customer if AP was engaged prior to the accident in question by mentioning a tesla refund may be available! $tsla  https://t.co/lQYj8IDyKF

25872) 0.2762) Those who understand finance but do not appreciate Tesla's tech end up shorting at $TSLAQ  Those who appreciate the tech but do not understand finance may end up selling $TSLA too soon and may even venture into shorting 😔  Those who understand both 😤 #NotSellingAShareBefore5000

25873) 0.836) Cybertrucks just wanna have fun... with some rocket thrusters 😎🚀 We need those on Teslas @elonmusk  #tesla $TSLA #cybertruck   credit: @kimitalvitie  https://t.co/pLRYIV4Xin

25874) 0.8478) Tesla Model 3 police car is so effective, people getting pulled over love it 🚔⚡️🚨  https://t.co/Vi5aBeNmyQ $TSLA #Tesla #EV #PD @elonmusk  Bargersville Police Chief @ToddBertram1 👮‍♂️⬇️  https://t.co/njJuxS5KNK

25875) 0.5927) I wonder if Tesla could be leveraging its artificial intelligence and machine learning talent, not only for FSD development, but also for demand forecasting, product pricing, inventory management, energy trading, and even for vehicle production.  $TSLA #NotSellingAShareBefore5000

25876) 0.1779) In Dec '19, no PHEV could make it to the top 10 in the Netherlands. So far in January, BMW i3 is the best selling BEV there, reaching position #35.  #Tesla lives by the policy and will die by the policy.  $TSLAQ $TSLA

25877) 0.8451) My friend just put an order for Tesla ModelY &amp; in his own admission it was only due to me.  He doesnt know abt referral pgm &amp; I didnt bring it up. It gave me some odd satisfaction. That I genuinely wanted him to get Tesla, no conflict of interest. Thoughts?Too melodramatic? $TSLA

25878) 0.9643) +$2.6K profit on Friday.  $TSLA Amazing trade, amazing call by Aj @AjTrader7   Well thought and well planned for the entry,  it was up to the trader how much profit they want.  I started my year red, yesterday green, so back to my initial balance around $30K.   Enjoy the weekend  https://t.co/gGMASJ6y3u

25879) 0.4767) Tesla short sellers lose $8 billion over the past 7 months🥴 Sooner or later, of their own free will or because of huge losses, short sellers of Tesla's shares will be forced to put up with the success of the company @Tesla @elonmusk  $TSLA $TSLAQ #Tesla  https://t.co/DavrhVQLaI

25880) 0.7385) I wonder how long it will take cult members like @rocketjenross, who worships @wallstcynic like a god, to realize he's not nearly as smart as she thinks?.... #TeslaQCultIssues $TSLA $TSLAQ

25881) 0.5106) The STFU is for the hedge fund guys.  Instead of criticizing $tsla and @elonmusk on a daily basis, how about they look at their own performance first.  It's like a F grade student making fun of a A+ student.

25882) 0.7351) Best way to tell if an Automaker is finished growing is if they double their number of factories and launch a new car. $TSLA #Tesla  https://t.co/SA5Wqi2zxv

25883) 0.856) Yes, and the fact that Tesla did not cut US prices for Q1'20 (at least not yet) is a positive sign for $TSLA investors.  Also, I expect another increase to the price of FSD in Q1'20 along with the feature-complete software and the Hardware 3 rollout. Don't wait to upgrade to FSD.

25884) 0.2263) $TSLA - Does this new glass technology allow Tesla’s to go through car washes now?   #CarWashTechnology $TSLAQ

25885) 0.6597) @gwestr Inner Greg wanting to buy $TSLA at $295, that's all. I felt like you after I sold my stock in 2018. You need to get back in Greg, feels better to own stock than not to own the stock, irrespective of price.

25886) 0.3031) Glad to see there's still justice in this world. Another accused Tesla killer was found not guilty. $TSLA $TSLAQ  https://t.co/YM51cOprzn

25887) 0.8707) I’d really like to thank the $tslaq community for assisting in acquiring these options at such a low premium. I’ve converted some into $tsla shares already. Special thank you to the 🤖  https://t.co/c31wfFPb2M

25888) 0.8016) So Lora,   You say: "Did @Tesla hit 500k annualized production rate?" 🤔  Let's do a math exercise together. 🧐  Fremont Production for 2019:  ~360K 😃 Shanghai Production run rate end of 2019 : ~150K 🥳  Total: ~500K run rate (probably more) 🤗  $TSLA  https://t.co/KZoSZvHEia

25889) 0.3071) You need the right prism.  $TSLA's game is to maintain  illusion of demand, but always have something that keeps them from taking advantage.  To wit, US sales plunged But that's only cuz they decided to sell in Europe Next, Eur will plunge, but hey China ('cept for btry paks)

25890) 0.8674) #Tesla ✔️’s 3/4 for S+P 500 inclusion:  ✔️U.S. company. ✔️market cap $5.3b+. ✔️public float 50%+ of outstanding shares. ❓positive earnings latest Q, &amp; 4 most recent Qs.  This means $TSLA needs $967m profits Q4-19. Likely? No. Possible? With @elonmusk ANYTHING is possible!

25891) 0.6096) This is really an important point; a truly efficient business doesn't run at 10% speed for ten weeks of a quarter and then 400% for two weeks at calendar close.  The waste is incredible.  And that defines $TSLA four times a year, every single year. 👇

25892) 0.2732) Charley’s October article aged well. $TSLA  https://t.co/cvfPScPMVL

25893) 0.8172) The best thing about this picture is the reminder that FCA will be paying for Tesla Gigafactory in Brandenburg 😁  Economics 101. Fund your competitors to grow!  $TSLA  https://t.co/BnArbgz5ZP

25894) 0.9227) 81% Left!!! You are awesome 😄!!! $TSLA Today I am going to the Tesla forest 😃!!!  https://t.co/Mi3uhtI2xE

25895) 0.3818) With $TSLA deliveries of 367k, a 50% growth rate in 2020 would suggest ~550k cars. Or around 137k per Q. Tesla have a demonstrable production rate of ~11k cars per week. Many bulls are predicting deliveries closer to 700k for 2020. If they believe that, then... 1/

25896) 0.0857) “Established automakers have taken their shots at @elonmusk with so-called ‘Tesla Killers,’ but no serious competition has materialized thus far. U.S. sales of GM’s fully electric Chevy Bolt plummeted 47% in Q4 &amp; finished down 9% for year.” 🏣  https://t.co/0lI4Ot2Xjc $TSLA #Tesla

25897) 0.8733) In 2012, #Tesla delivered 2,650 cars. In 2019 they delivered 367,500. That’s a 13,768% increase! @elonmusk has proved what you can do when you’re facing seemingly impossible challenges, but you possess indomitable tenacity &amp; determination to succeed. $TSLA

25898) 0.9771) Yes, $TSLA has been so flat in 2019. And it’s flatness continues in 2020.   🤣😜📈🙄🤣📈🤣🤑🤣📈🤣🤑😂📈😂😜🙄  (Pic improvements by  @BarkMSmeagol )  https://t.co/cgRtc84SL8

25899) 0.0772) Summoning my inner @TESLAcharts this evening. This is a bit preliminary, as a number of automakers have yet to report Q4 sales volume.  Mkt Cap / Unit Sold in 2019  Hyundai: $3500 Nissan: $4500 GM: $6400 Ford: $6500 VW: $9k Honda: $10k Toyota: $20k  $TSLA: $218,000  https://t.co/dgThK8m3mS

25900) 0.836) #tesla is the biggest auto community in the world (and growing). Virtual - twitter, insta, reddit. Physical - Tesla clubs all over the world.  That's a MOAT the financial industry will never understand.   And That's why it will win. $tsla #passionate  https://t.co/7c7ubpBtGA

25901) 0.8166) It's not 'Chinese propaganda' This is China telling its people about Tesla. America will win because of this. Why? Well, China embraced an American company, backed it and believes in it. America should do the same. $tsla   This is marketing, btw, not state propaganda.

25902) 0.7096) #ExplainBABYCharts #FraudWatch day 338  Luis had to step it up today to try to rally the #DumDum troops with the the classic goal post cheer.🥳  Also, you know what happens when you take a step back from #ToiletBoy’s cherry picked claims? #Hypergrowth   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/56xF5G0IFN

25903) 0.4019) @Andreas_Hopf The key to any Q4'19 profit estimates is whether $TSLA paid Panasonic more QoQ vs Q3'19. As Pana's CEO said in November, "when Tesla loses money, we'll help them out. When Tesla makes money, we make money". Tricky situation to estimate if COGS/unit go up QoQ.

25904) 0.3182) @greentheonly @evebitdap If $tsla ever makes a plane, I'll be sure to fly the 737 max instead.

25905) 0.2023) The industry is only tanking because $tsla is gaining.  Their 112k cars delivered is devastating. It's only because Elon loves Earth so much that he allows European banks 28 days to pay.  $tsla

25906) 0.296) Has anyone noticed that the word "Cowen" shares four letters with the word "Clown"? 🤡 $tsla

25907) 0.9062) Hey @tesla @elonmusk any news on the referral wheel prize for those that earned them almost a year ago? Would love to sell them to #Model3 wheel lover and put that money right back into $tsla 😉

25908) 0.6249) To anyone who still thinks “the growth story is over”, I dedicate this Tesla revenue chart: (all bars are actuals except Q419, which is my estimate)  $TSLA $TSLAQ Charting software courtesy @f_l_o_u_r_i_s_h  https://t.co/6xDK17xBUr

25909) 0.6369) As we all know, valuation multiples are a function of growth, among other things such as return on capital, WACC, etc. $TSLA 4-year forward EBITDA growth (least squares) has been +52%  https://t.co/Myk7MPrwZo

25910) 0.8832) @jimcramer my 2020 dream is to be on @MadMoneyOnCNBC talking Tesla... imagine the ratings. Make a stock traders dream come true... Tesla fans speak out. Unite. RT show some love!  $tsla

25911) 0.5994) I somehow started loving $TSLA for weekend expiry trades here. Its my new #BANKNIFTY for expiry trading.

25912) 0.1911) Alright, here it is: our boy managed to lose 6.5% in the year of free money. Watch an autist rant about bubbles, competition, fraud, and the fed- complete with cherry picked charts from zerohedge (lol). “He’s not wrong. He’s just 10yrs early.” $tslaq $tsla  https://t.co/Ul3ByyKNwC

25913) 0.3818) Model 3 deliveries globally outside the Netherlands have been roughly flat the last 3 Quarters despite $TSLA opening up all RHD markets over the course of Q2 and Q3 and opening up South Korea in Q4.  With NL deliveries set to plunge in 2020, where is the growth going forward?

25914) 0.6956) Hm. This Q (Q4/2019) sort of beat Q3/2019 by the number of cars sold... We’ll have to wait for earnings, but I have a gut feeling that $TSLA might post a profit...

25915) 0.4927) Bargersville Police Chief Todd Bertram is very pleased with the use of the Tesla Model 3 @elonmusk   $TSLA #Tesla #Model3    https://t.co/O0prUql5D6

25916) 0.6908) @JCOviedo6 All true. $TSLA just has a much better spin machine than all other OEMs apparently.

25917) 0.3182) How to explain to Tesla bears that if #Tesla sells every car it makes, sales in some particular areas might decrease while others increase. 🤔 $TSLA  https://t.co/29vXFKbnRl

25918) 0.4728) @WallStCynic You sir, daring to make such outrageous statement while pouring billions to short $tsla trade trying actively to destroy the very same truly American company which provides thousands of real American jobs and technological innovation. You sir, everyone lately notices.@elonmusk

25919) 0.3612) .@twitter is it possible to like a tweet twice? $TSLA #Tesla

25920) 0.3657) 1/ Tesla was production constrained in Q4, as it is generally accepted. However, they should still have like 8k in inventory. Are they really production constrained?  $TSLA $TSLAQ

25921) 0.6597) @Tesla tops all previous quarter deliveries at 112,000  - achieves yearly deliveries  within guidance at 370,000  - $TSLA currently at $445   Well done @elonmusk and the Tesla team 👊   https://t.co/qWiBFtCjX7

25922) 0.9321) Love seeing @vincent13031925 and @Gfilche working together. Although a bit harsh of Gali to call Vincent ‘Buttface’ at least according to YouTube autosubs 🤣🤣 Seriously though, great vid guys, always so succinct and clear with the data and implications. $TSLA #Tesla  https://t.co/v4IspodrKI

25923) 0.3818) #Tesla delivered 112,000 cars in Q4, and 367,500 on the year. $TSLA  • 112,000 is more than @Tesla delivered all of 2017.  • 5-year CAGR = 63% • 4-year CAGR = 64% • 3-year CAGR = 69% • 2-year CAGR = 89%  Accelerating growth.  Full report recap here:  https://t.co/al32nL2LFI  https://t.co/hBWWLGkTLx

25924) 0.8724) My very very smart friend Gene Munster at @LoupVentures saying Tesla $900. That’s much higher than even my current thought process. This is getting good. #tesla $tsla

25925) 0.3612) 🐻 in 🧠  $tsla only needs to get to like $555 for @elonmusk to be anointed with 2 million options (exercise price: $350) for his efforts.  you can do it papa.

25926) 0.4767) The approval process for the Tesla Gigafactory 4 🇩🇪 in Grünheide has already begun  $TSLA #Tesla #GF4 #Germany    https://t.co/KhnAukYfo8

25927) 0.6542) @WallStCynic The terms of the $tsla shanghai agreement are staggeringly one-sided (sans “favored rate”) relative to any other Chinese sub I’ve seen  I’d rather Musk not have gone full CCP puppet, enough other issues to focus on here, but he will be used as a prop any time Chinese see fit

25928) 0.34) Gains on my $TSLA stock. Each figure = a buy price from 2016-2019. Qty: 1-149 stocks per buy.  113.67% 82.81% 70.55% 80.41% 127.03% 116.19% 135.07% 95.78% 48.09% 68.86% 59.31% 67.96% 77.74% 59.00% 64.85% 68.54% 68.18% 69.55% 69.71% 75.86% 78.71% 89.42% 116.46% 139.62% 139.52%

25929) 0.4019) "...it’s wise to pay attention to Mr. Musk’s words that followed his acknowledgment that he’s not always on time. “But, I get it done,” he said. It sometimes takes building a China factory in under a year to prove that."  $TSLA $TSLAQ  https://t.co/h20rkBUfvF

25930) 0.0516) $TSLAQ just destroyed. Congrats $TSLA. You were right.

25931) 0.5106) I'm back @AftertheBell at 4p ET today, talking about the market reaction to this eventful first few days of the year, as well as $TSLA - Join us @FoxBusiness

25932) 0.8655) Mostly positive $TSLA talk and some hard _facts_ from ⁦Russ?! 🤯🤯🤯  Poor $TSLAQ can't catch a break from anyone these days 🤣😂🤣  https://t.co/xavj9lUqu2

25933) 0.4767) The approval process for the @Tesla Gigafactory 4 in Grünheide has already begun 🙌🏼🇩🇪  $TSLA #Tesla #Germany #Gigafactory4 #GF4  https://t.co/YKUldfs22F

25934) 0.5267) Full Year 2019 US Sales:  @FiatChrysler_NA: -1% @VW: +2.6% @Subaru_USA: +3% @Nissan: -9.9% @Honda: +0.2% @MazdaUSA: -7.2% @GM: -2.3% @Toyota: -1.8% @Hyundai: +3%  Full Year 2019 Global Sales:  @Tesla: +50% 😮🤭🤯🥳🍻🔥  $TSLA $TSLAQ  https://t.co/BZZ009vVpv

25935) 0.6892) Don't give up, @markbspiegel! Another great day to add to your $TSLA short position!

25936) 0.2411) $TSLA 2020 EPS estimate is $5.45.    I wouldnt be shocked if Q3 and Q4 combined beat that garbage.

25937) 0.658) Wow, must watch here! Gene Munster says $tsla undervalued and she be a $900 stock!

25938) 0.4939) Tesla filed a patent for the Energy Storage System  $TSLA #Tesla #Energy    https://t.co/IRQglRrHBo

25939) 0.5267) Great thread on Tesla as a China puppet starring in a hilarious, utterly misconceived PR campaign. Nobody is going to follow the criminal Elon Musk into the arms of the CCP. $tslaQ $TSLA

25940) 0.1531) Fun Fact: When $TSLA files its 10-K in February it will report that U.S. revenues in 2019 were lower than U.S. revenues in 2018 as automotive volumes were flat, mix was worse, and prices were down significantly.  Growth company indeed.

25941) 0.6124) Just called to check on the status of my powerwall order I placed in December. The energy specialist says they were swamped with orders last few months and hope to get to me soon.  $TSLA

25942) 0.0516) Tesla Stock $TSLA Reaches New All-Time High on Delivery Results Surpassing Guidance   https://t.co/X0tMt7EjhC

25943) 0.5423) The other interesting thing about Q4 for Tesla is that they literally sold all their inventory. 7k more cars delivered than produced. That continues to prove the huge demand for the cars. $tsla

25944) 0.1513) Tesla delivered 19,450 model x/s - this is very significant as it shows that demand has picked back up for these higher margin models. Earnings will be blow out. $tsla

25945) 0.6369) The best is yet to come $TSLA

25946) 0.826) After deliveries of the first production Roadster in 2008, 5 of the Roadsters going on a local drive! @elonmusk  🦾♥️ 12 years ago!   Now: record production &amp; record deliveries in Q4 of 2019 🥳! That’s the beginning of an epic new decade for $TSLA:  2 O 2 O  https://t.co/mKvopgTqMv

25947) 0.6369) Also perfectly normal. $tslaQ $TSLA

25948) 0.8975) I woke up and was greeted with this news and then see that @Tesla totally crushed expectations in Q4!! What a terrific team from the top right down to every owner &amp; supporter out there who believes in Tesla's mission. Congrats! 🥳 $TSLA #JustGettingStarted  https://t.co/U2878CbmSN

25949) 0.5994) Congratulation to all TESLA 🐮🐮🐮  Total Tesla vehicle deliveries from 2011-2019:  2019: 367,500 2018: 245,240 2017: 103,097 2016:  76,295 2015:  50,580 2014:  31,655 2013:  22,477 2012:   2,650 2011:   0  $TSLA #Tesla

25950) 0.0516) I'll admit when I'm wrong. I said the short squeeze for $TSLA wouldn't happen until $400's. It now looks like it won't happen until the $500's. This move has been driven by new longs.

25951) 0.3197) Was anyone predicting more than 110,000 deliveries for #Tesla in Q4? @Tesla absolutely crushing it. With #ModelY coming soon, #Gigafactory ramping up and China sales starting next week, 2020 should be a great year for $TSLA

25952) 0.3612) It feels like yesterday when we were rooting for $250... $tsla  https://t.co/V67MEvKFUR

25953) 0.0516) Last night, I scratched out my 2020 $tsla forecasts. Spoiler alert: the "consensus" about profitability will (yet again) be wrong.  https://t.co/2bRMfhCpUJ

25954) 0.3612) $tsla still cheap at 450$  Going to be massive in next 5 - 10 years. Stock Market is a long game.  Like @ValueAnalyst1 says, #NotSellingAShareBefore5000

25955) 0.4404) Good video about $TSLA bears (and bulls)   https://t.co/QJTByqiKXG

25956) 0.6249) Tesla’s win streak charges on, hitting new $450 high with whopping $81B value $TSLA  https://t.co/a7tMTxpK0g

25957) 0.802) This morning $TSLA reported 112K deliveries for Q4’19, +0.9% above my 111K best guess from two days ago. Will be a bit more bullish next time. 🎯😎

25958) 0.8271) Considering the great demand in China and GF3 production capability plus good profitability results, I believe $TSLA will reach to $700 ~$800 at the end of 2020.

25959) 0.1027) Let's give papa credit. After q1 no one thought 360k was remotely possible. $tsla $tslaq

25960) 0.6981) Tesla China Officially Announces 3K China-Made Model 3 Run Rate Per Week, Local Battery Pack Production Started in December!  3K/wk from $TSLA Shanghai Gigafactory GF3 ‼️‼️  Congratulation @elonmusk, @tesla @teslacn team!!   https://t.co/wUXU1tReMJ

25961) 0.7096) Just saw $TSLA ’s record breaking deliveries.  Good thing I didn’t follow award-winning investment research provided by @CowenResearch.  Do their awards look less shinny today?

25962) 0.2023) Shout to one of our Moderators and Top Traders, RapidFinancial for making $84,000 on swing trade he has been holding on $TSLA  https://t.co/4NBjXFjohW

25963) 0.8519) Did Paul block all $tsla stock reporting websites including NASDAQ ?   Please someone let him know to block all of them 🤣🤣🤣🤣

25964) 0.8934) The beauty of $TSLA spiking to an #AllTimeHigh of $450 today on news of their best quarter ever is that the #ShortBurnOfTheCentury hasn’t even started yet 📈🎉🤩👍🏻  #ATH  https://t.co/IuXa62Froq

25965) 0.636) The earnings ‘topping’ is up next.  Funds are now preparing for S&amp;P inclusion.  Congratulations $TSLA!

25966) 0.8591) Looks like Tesla delivered every car they had in inventory. Demand is clearly much greater than supply. China production and demand are soaring. Model Y coming Q1. Wow Tesla is roaring $tsla

25967) 0.4404) $TSLAQ mascot &amp; eternal crybaby, @TeslaCharts aka #BabyCharts is not even trying anymore.. 😂  $TSLA 🤟  https://t.co/jOWKI53R6O

25968) 0.6124) This is just ridiculous at this point. $TSLA is now 75% of my investible assets due to these monster gains in recent weeks. Breaking the most sacred rule of portfolio management. I’m sure such undiversification looks similar for many of you as well.

25969) 0.5423) Made In China Tesla Model 3 Gets PCAUTO 'Car of the year 2019' Award 🎊🍻🏆  $TSLA #Tesla #China #Model3  @elonmusk    https://t.co/x7zaiIejSr

25970) 0.4588) Peak $tsla today. 😎  @BagholderQuotes

25971) 0.6249) @28delayslater @WallStCynic, any comments for your followers sir? They might want to hear some reassurances that $tsla will have 0 value soon.

25972) 0.4926) @vincent13031925 @elonmusk @Tesla @teslacn $TSLA market cap is now at $81 billion. Remember: when it hits $100 billion, @elonmusk gets paid (and good for him!).

25973) 0.25) Electric car maker @Tesla has just announced record annual deliveries of just under 370,000 cars in 2019 - a 50% increase on 2018. No word yet on profit or margin from those deliveries, but $TSLA has hit a record $454. More:  https://t.co/GDrbVNLtJT @elonmusk

25974) 0.4939) Is $tsla still 0, asking for a friend...

25975) 0.6369) “Tesla is and remains one of our biggest and our best short positions,” says Jim Chanos, founder of Kynikos Associates. “We’re still bears.”  -Jim Chanos (Nov 21, 2019)  * $TSLA - $354 that day*  https://t.co/mOQ2pTUTXz

25976) 0.9363) Goooood Morning $TSLAQ (not the scant minuscule few of the fairly decent ones who aren't 1-hundo % bat-shit crazy &amp; vile) - Have a good day.  Kisses!   😘😘😘😘  $TSLA #TeslaStock #tesla #WINNING

25977) 0.5577) This is not only Tesla’s success. People want clean, safe, smart mobility. They r fed up with poisonous, old technology kept alive by a corrupt archaic industry. The revolution will reach much broader public under the technology leadership of Tesla in 2020. $tsla

25978) 0.8977) $TSLA 50 shares added at 440.  Congrats to team @Tesla &amp; @elonmusk for a phenomenal — truly mind blowing 2019. Cheers, and here’s to just the beginning!

25979) 0.7339) $TSLA reaching new ATH today lol. Congrats @Tesla @elonmusk and all the long term investors!! ❤️❤️🚘🔥  https://t.co/UIvt0iEB0k

25980) 0.4404) “Growth story is over” 😂   $TSLA

25981) 0.6369) My best guess $TSLA EPS in Q4 is btw $3.5-$4.

25982) 0.0516) 367k Vehicles in 2019. Now this is w/o ModelY, Model S/X plaid, model3 ludicrous, grown up FSD, China giga production. “2019 was great, 2020 will be epic”. Who would argue with that? $tsla

25983) 0.296) Am considering buying $TSLA puts with a strike price at $420. Funding Secured.

25984) 0.4619) So let me get this straight, Tesla is producing/delivering vehicles at a record pace all while Oil prices are spiking on potential war in the middle east? Oh yeah, have fun paying at the gas pump ICE-tards! $tsla

25985) 0.3182) Huge announcement : "we achieved record production of almost 105,000 vehicles and record deliveries of approximately 112,000 vehicles. In 2019, we delivered approximately 367,500 vehicles, 50% more than the previous year." #tesla $tsla $tslaq  https://t.co/iVbajjtt5h

25986) 0.5574) Tesla &amp; @elonmusk ( $TSLA ) Get Last Laugh: Full-Year Guidance Met with Over 360k Deliveries, Model 3 Hits New Records ‼️  For Q4, Tesla delivered a total of 112,000 units and produced 104,891.    https://t.co/2tedXJ0OWe

25987) 0.8185) Was out on the Indian Ocean when I got the #Tesla deliveries number but the captain had us covered! Amazing work @Tesla &amp; @elonmusk on delivering a staggering 112,000 cars in Q4!!! $TSLA  https://t.co/QNdaS8W4ag

25988) 0.4019) *BREAKING*  ALL-TIME HIGH $TSLA Stock price Secured today  $450  @ValueAnalyst1 @thirdrowtesla @jpr007 @TeslaPodcast @teslabros @Tesla @elonmusk @ray4tesla

25989) 0.6865) I'm so excited I'm liking tweets in German (I don't speak German) coz it has 112 in it. $tsla

25990) 0.9345) 112K!!! Congratulations @elonmusk and everyone at @Tesla for an incredible quarter and an amazing year!!!   #Tesla #Model3 #ModelS #ModelX $TSLA   🥂 🎉 🥳💃🕺  https://t.co/XbEV4aDdBS

25991) 0.4939) Tesla successfully meets its 2019 guidance and sets new powerhouse records: 367,500 total deliveries with 92,550 Model 3 in Q4 $TSLA  https://t.co/MvmTR22z9Q

25992) 0.4912) i won’t be surprised if $TSLA breaks $500 today 💪😎⚡️🚀 suck it up, $TSLAQ! feel the burn! 🔥😎🍿

25993) 0.0516) 20k MS/X and total 112K Q4. 367,5k FY. Uhm.. let’s c what the $tsla shorty cry babies will say. Always fun to read...

25994) 0.2023) $TSLA earnings will top expectations.

25995) 0.2406) $TSLA - dumping inventory to close the year.  It all starts all over again in 2020.  And what's with the Vins in H2??  I was at 104k and that was production, so they sold-off a good amount of inventory above that.  Needed the cash, of course...  https://t.co/AJUPAk5Iqj

25996) 0.8774) $TSLA deliveries at 112k. Congratulations @elonmusk!  Q4 profit secured!

25997) 0.3818) Remind me again how the Growth Story is over?  $TSLA @Tesla  @elonmusk    https://t.co/nWy8VmcEQ4

25998) 0.6858) Amazing 112k Q4 $tsla delivered 50% more than the previous year  But that is not the news.....   the news is the following:   run-rate capability of greater than *3,000 units per week*, excluding *local battery pack* production which began in late December.  https://t.co/VzqN3LMjkS

25999) 0.5707) Congrats @Tesla @elonmusk  for delivering 112,000 vehicles in Q4. In 2019, #Tesla delivered approximately 367,500 vehicles! $TSLA #ElonMusk #ElectricVehicles #2019 #TSLAQ  https://t.co/65kL3TqIgN

26000) 0.3418) I've been told this morning .. 2 loaded trucks with cash are headed my way. Life is so tough. I keep telling them I have a small house. $tsla #winning.

26001) 0.3818) $TSLA keeps partying into 2020  https://t.co/tABTjDxQjS

26002) 0.7332) Q4’19 deliveries of 112K, putting 2019 deliveries at 367,500, well above the lower end of guidance of 360K!  Amazing performance by @Tesla! Congrats @elonmusk and Tesla team! 🔥🔥🔥  #guidancesecured #winning $tsla    https://t.co/8FLfb4oXzp

26003) 0.6369) Q4'19 is Tesla's best quarter, yet.  $TSLA #NotSellingAShareBefore5000

26004) 0.296) Great deliveries from $TSLA at 112k.  I was 4k too high on Model 3 (1k too high on Fremont production, 3k high on inventory reduction) and 1.5k too low on Model S/X (1k low on production, 0.5k low on inventory reduction).  1% lower lease % is also positive for earnings.

26005) 0.3612) $TSLA will hit an ATH on 112k record deliveries and hitting yearly guidance. Congrats @Tesla and @elonmusk.   Rumor is that Elon will solve traffic problems next.  https://t.co/y7AVTeJocO

26006) 0.4939) 367,500 Teslas delivered in 2019 😳  Oops, that's 7500 over the guidance 🤭 $TSLA $TSLAQ

26007) 0.8074) Tesla’s strong Q4 deliveries report is meaningful in several ways:  - China demonstrated 3k/wk (shocker) with pack production starting Dec - Permanent profitability secured - Back to a demand &gt; supply company - Upcoming 2020 guidance will now be viewed as quite credible  $TSLA

26008) 0.3612) We have also demonstrated production run-rate capability of greater than 3,000 units per week, excluding local battery pack production which began in late December. @Tesla $Tsla #Tesla $Tslaq

26009) 0.4603) Another positive for Q4'19 margins:  Model S/X and Model 3 inventories dropped sharply by 7000 units from Sep 30 to Dec 31 even though Tesla did not offer any significant discounts to move inventory.  $TSLA #NotSellingAShareBefore5000

26010) 0.7579) Fun fact: Tesla has achieved 9 consecutive production months now of 6,000+ Model 3s per week.  $TSLA 🥴🤡 $TSLAQ 🤡🤣  https://t.co/umlqa5Jqc5

26011) 0.25) “The automaker is poised to deliver between 95,000 and 101,000 vehicles for its fourth quarter, Cowen said”   $TSLA #Tesla  https://t.co/1EXJk1uTEt

26012) 0.0516) Yo $TSLAQ, before you ask here is the damn 8K 😂  $TSLA @Tesla    https://t.co/MBJLEk35lx

26013) 0.743) To all #tesla fans and supporters. Congrats. $tsla  https://t.co/gejZjsLCno

26014) 0.5574) Another positive for Q4'19 margins:  "Subject to lease accounting" percentages declined slightly QoQ for both Model S/X and Model 3.  $TSLA #NotSellingAShareBefore5000

26015) 0.8932) Breaking ground to production capacity exceeding goal of 3K per week in less than a year is truly a remarkable achievement  Congratulations to @elonmusk and the @tesla team!  $tsla #tesla

26016) 0.6369) This is the best part:  🇨🇳 Giga Shanghai "local battery pack production which began in late December."  $TSLA #NotSellingAShareBefore5000

26017) 0.7964) Perfectly good ramp. Around 8k more than needed to bear guidance. $TSLA / $TSLAQ  https://t.co/oPLDuSE1l5

26018) 0.6249) S/X deliveries exceeded expectations.  This is great for Q4'19 margins.  $TSLA #NotSellingAShareBefore5000

26019) 0.743) Tesla re: Shanghai:  "We have also demonstrated production run-rate capability of greater than 3,000 units per week, excluding local battery pack production which began in late December."  Wow.   $TSLA

26020) 0.5106) Tesla tops estimates for Q4, by delivering 112,000 vehicles and exceeds minimum FY guidance (360K) with deliveries of 367,500 vehicles in 2019. $TSLA

26021) 0.4588) This makes zero sense, if Tesla has solid orders.   Say 50,000 orders and giving back $4,600 per car *four days before* deliveries start? If my math is correct, that's $230M  $TSLA $TSLAQ

26022) 0.8851) 30 minutes for a tow and less than a week (over the holidays no less) for a new drive unit. That's some straight up VIP treatment for a VIP client. $tsla $tslaq

26023) 0.4606) #ExplainBABYCharts #FraudWatch day 337  But #BABYcharts, I thought the entire solar roof project was fake. Why even care about V3 installs? Is the #DumDum having doubts? 🤭  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/gfbvNvVxPr

26024) 0.2161) What's more frustrating, how obvious this dumpster fire is, or $tsla's  gleeful defiance.? Fun either way.

26025) 0.25) Tesla adjusts China-Made Model 3 price below 300,000RMB (w/ incentive) psychological barrier.   Approx. $42,900  $TSLA #gamechanger  https://t.co/hWIPxKwYR8

26026) 0.296) Unlimited Demand Secured  $TSLA $TSLAQ

26027) 0.4939) Zach Kirchorh on the phone, trying to get a refund from Expedia for his Lebanon tickets, while googling "no US extradition agreement."  $TSLA $TSLAQ

26028) 0.0824) @CathieDWood Thank you @CathieDWood - one day people will look back at this day and wonder how $TSLA could be so misunderstood. The toughest decision nowadays with every $ is whether to Uber and buy $TSLA stock or buy a Tesla and drive it 😃

26029) 0.3612) Exponential growth in $TSLA's largest market.....  Model 3 sales may have increased 3.5% in 2019 in the U.S.   Note: Troy's estimate for M3 sales for 2019 implies Model 3 sales in the U.S. declined ~33% in H2 2019 in terms of units on much lower ASPs

26030) 0.1027) @TroyTeslike First off, $TSLA sold only 26k 3's in 1H'18.  2019 was a clear deceleration from the 2H'18 pace.  Second, no one knows the real numbers because the company doesn't break out unit sales by geography.  I wonder why.

26031) 0.6908) I trust Tesla HQ is secure?  $TSLA $TSLAQ

26032) 0.4767) Leaked video: $TSLA bulls buying up all the shares the kids in $TSLAQ were selling short June thru October  🤣 🔊turn up🔊 🤩   https://t.co/sQ1k3YRewF

26033) 0.5859) This $tsla Solar Roof (Solarglass) in Claremeont CA (1st in Southern CA) took a team of 11 installers eleven days in late November. They are still cutting tiles on site.  Note the solar capable tiles are clearly visible and the larger size makes them look a little wonky an uneven  https://t.co/2fVGk81iNY

26034) 0.6908) THIS DAY IN $TSLAQ HISTORY:  The primary reason for my $TSLA long is tweets like these. 🤭  @markbspiegel two years ago:  https://t.co/CqqOD65BWT

26035) 0.4588) @Eric714 Refreshing $TSLA twitter and  https://t.co/B6Yx9Bh4T1 haha

26036) 0.5574) Well, it's looking like we'll have to wait another day. $TSLA  https://t.co/5iDOHENwM3

26037) 0.8016) This wins the internet (ok the $TSLA/$TSLAQ bubble of it) for today! 🤣

26038) 0.8625) Tesla became the undisputed EV leader in Denmark, in 2019.  2,734 units FY19 vs 95 units FY18. Just a tiny 29x increase YoY 👊  Icing on the cake: Model 3 was the best selling car of all types in DEC with 587 units.  And some thought my 2K estimate for FY19 was crazy 😄 $TSLA  https://t.co/CXhtmYIMRz

26039) 0.3612) Tesla promised 360,000+ vehicles delivered for 2019 and they nailed it $TSLA 🦾❤️🚘 Numbers coming in less than 1 hour (my guess), if not, they’re coming tomorrow...

26040) 0.7906) Excellent point here. Remember: Elon needs EBITDA to keep raising capital. It's HIGHLY sus that $TSLA always posts inexplicably strong P&amp;Ls leading up to capital raises. If Elon thinks 1H20 will be tough (as he has said), then he'll milk Q4 for everything he can. Trade carefully.

26041) 0.7574) A detail of traveling in @tesla, only hears the noise of the tires and the friction of the wind, yours and other cars, is very relaxing, 0 vibrations. 😍 #tsla $tsla @mayemusk

26042) 0.3182) Hot take:  tslaq people expressing flabbergastation that ppl care about +/- a few thousand deliveries for $tsla forget that every public stock in the universe goes up or down 5, 10, 20+ percent based on a couple pennies each ER.   #ItsAllADumbGame

26043) 0.8271) Stop giving me all this money. I'm doing just fine. I was happy at $420.  Ok fine. I'll just put it in my bank then.  Maybe buy another #tesla.  $tsla $tslaq  https://t.co/lFXkjYyYUJ

26044) 0.25) Alright Papa. Don't let me down. (and just in case you do).   $tsla $tslaq  https://t.co/aWHFxrxLPo

26045) 0.3802) No one believed @CathieDWood when she invested in Amazon --- and now it is History  Same Happens again with Elon $tsla   Cathie knows how to find them! The true innovators

26046) 0.2732) "The regulator has the power to issue mandatory veh recalls if it deems them necessary.  It has previously investigated 13 other incidents involving Tesla vehicles, which were suspected to have had AP engaged at the time that they crashed."  $TSLA $TSLAQ  https://t.co/cXwjPMCMRi

26047) 0.1154) @orthereaboot I saw a tweet today, “If Tesla comes up with a battery technology breakthrough, it could be a trillion dollar company.”  If ANY company makes a breakthrough, they can be worth a lot. That’s how breakthroughs work.  But since $TSLA buys its batteries, that doesn’t seem too likely.

26048) 0.3612) Ready for Tesla $TSLA short to be triggered....?  Tesla $TSLA with 5500 far OTM June $620 calls being bought to open today $8.75 to $9.20, over $5M

26049) 0.6369) The results r in. Model3 sold more than annual sales of total Peugeot brand which is normally 3rd best selling brand in the Netherlands. $tsla  https://t.co/DvbVSXCywd

26050) 0.9136) @DougDeMuro (fun YouTube car reviewer) has named a @Tesla his 2019 “Doug of the Year” (best overall), saying “It’s impossible to look at the car market right now and objectively say that [Tesla Model 3 Performance] isn’t the best car”.  (Skip ahead to 20:48) @elonmusk $TSLA

26051) 0.4576) "You can be certain of one thing: January 2020 and onward, Tesla’s sales numbers in The Netherlands will collapse by a very huge percentage."  $TSLA $TSLAQ Tesla: Ahead Of A Reduction In The EV Tax Incentive In The Netherlands, Record Sales  https://t.co/qlyK7psS2W

26052) 0.4939) $TSLA AZ Delivery #SGFreport  30-40 cars left at the DC on Jan 2. Several with temp tags which be delivered soon.  Handful of X’s left. X’s almost sold out. Bull market wealth effect?   -145 cars were left EoQ3 so, in AZ, ~105-115 cars were delivered from inventory in Q4.

26053) 0.7003) The Model S forever changed how the world sees electric cars, and set Tesla on its path today ✨  🏆Tesla Model S gets 'Car of the Decade' Award 🏆  @Tesla @elonmusk @GreenCarReports $TSLA #Tesla #TeslaModelS  https://t.co/LVi09gJfJP

26054) 0.4824) What's hilarious about the Morgan Stanley hedge of $0-$500 $TSLA stock valuation is that it very likely could be wrong. LOL.

26055) 0.7906) I since updated my delivery estimate to 108,283.   I hope $tsla beats my numbers when released today or tomorrow, but I will be happy with 108k.  https://t.co/qCHNAXuN5L

26056) 0.4939) Will hit $450 if Tesla reports a good delivery number later today. $tsla

26057) 0.9708) The #Tesla community is so amazing. I've never seen this enthusiasm and loyalty with any other car brand. So happy to be a part of it. 💙🤍💙  $TSLA #ModelS #Model3 #ModelX

26058) 0.7717) ‼️Canaccord Genuity Raises Tesla's Past Target Price To $515 📈  The increase in price targets for Tesla shares testify to the strengthening of Tesla's reliability among financial analysts👍🏼  @Tesla @elonmusk  $TSLA #Tesla  https://t.co/mdZy9MSucs

26059) 0.6114) Canaccord analyst sees Tesla’s stock rallying more than 20% from its current price of around $418 to $515  Happy New Year to us!    #Tesla $tsla

26060) 0.8225) Charley Grant, family friend of Jim Chanos did his $tsla bashing article. Good part is, it has now zero credibility among large investors.

26061) 0.4926) Good Morning $TSLAQ   It's a new year!  New beginnings.  New $TSLA #TeslaStock  Tesla (TSLA) PT Raised to $515 at Canaccord Genuity

26062) 0.296) Canaaccord Genuity increases price target on $TSLA to $515 per share, up from $375 previously.  “We believe the trend towards electrification will only accelerate in 2020” - analyst Jed Dorsheimer   https://t.co/tGThJlTBuC

26063) 0.3612) Way back on November 11, I tweeted my Q4 $TSLA forecast, including Model 3 deliveries I estimated at a new record ~91K, which would look like this next to all previous quarters:  Tesla should report today or tomorrow and we'll all find out how close my estimate was.  https://t.co/ZkudWvDaKx

26064) 0.1531) Aggressive goals are how Tesla gets everything done FIRST, often creating an insurmountable lead.  If Musk gave “realistic” timelines, Tesla would often still be late, it would just take longer.   $TSLA $tslaq

26065) 0.5719) “That is not a question mark” Elon said in these non safe harbour protected statements about $tsla.  Incremental fraud secured.

26066) 0.8625) With zero paid advertising and zero year-end incentives, @Tesla delivers every car possible, including cars which were just built on the last day of the year.  Nearly all owners recommend them to their friends and family and some even help with deliveries.  $TSLA

26067) 0.4767) Can’t believe I just landed on the tiny island of Male in the middle of the Indian Ocean and the first car I saw was a #Tesla Model X! My GF saw in my face that it made my holiday already! 😀quite the reach @elonmusk ! Not the best photo! $TSLA  https://t.co/m3K6xEXwZz

26068) 0.3724) My $TSLA estimate of 114.5k (96.5k Model 3, 18k S/X) deliveries is up QoQ due to &gt; production &amp; &lt; inventory.  Factset consensus is 106.1k (~88k 3, 18-19k S/X).  I would not be disappointed with anything &gt;105k.  Other predictions: 3 LR AWD range to 340 miles. SR+ price down $1k.

26069) 0.5719) Tesla Inc. ( $TSLA ) - Get Report shares were indicated higher in pre-market trading Thursday after analysts at Canaccord Genuity boosted their price target on the clean-energy carmaker past $500 ahead of next week's fourth quarter delivery report. #Tesla   https://t.co/efVsTvXcS4

26070) 0.34) I mean let's forget our differences for a while. This is impressive. Standing in line for hours to give $tsla $50K. Who would have thought. Can we all give #tesla a standing ovation. @danahull @lorakolodny @CGrantWSJ @lopezlinette @bethanymac12 @Tweetermeyer @russ1mitchell $tslaq

26071) 0.4215) If you live in an apartment or condo and don't have access to an #electricvehicle charger, can you own a #Tesla Model 3? Of course. Here's a few quick helpful tips:  https://t.co/T639r49bND $TSLA #TeslaMotors #TeslaModel3 #ElonMusk @ani_seh

26072) 0.8074) Tesla Shares Gain After Canaccord Boost Price Target Past $500  https://t.co/oPvlvE9368 @mdbaccardax  $TSLA

26073) 0.4019) Guys, help me. I see 420 everywhere. $tsla  https://t.co/LsPAybtML5

26074) 0.167) 8/  Secondly, people actually paid for it. Unlike the charger snake, battery swap, rain-sensing neural net, music streaming, etc.  $TSLA can't just pretend it didn't happen and move on to selling cars in China.  What happens next?  Kick can until #CYAZ?  /End

26075) 0.1779) 7/  The battery swap is like 100 frauds ago. None of the cultists even remember that. Just like the snake charger. The big difference is that autopilot is not a fart app or some side gimmick.   It's a big part of the $TSLA illusion.

26076) 0.4708) 6/  We're dealing with a customer base that goes to the $TSLA factory to pick up their car, has their car delivered to them by unpaid volunteers like them &amp; the customers PAY a $1,200 "delivery charge" for picking up their cars FROM THE FACTORY with the help of UNPAID VOLUNTEERS.

26077) 0.4567) 5/  Ultimately the mistake many of us make is thinking that we're dealing with a rational actor.  What's the end game for the solar tiles? There isn't one.  There's no exit strategy.  Just like the battery swap.  Just hope people forget it.  $TSLA

26078) 0.2619) 3/    $TSLA's FSD will never work nor will the mysterious "regulatory approval" excuse ever come to pass.  We know that they love taking more deposits for FSD, but will they keep spending money on this?  It's something that brings revenues, but not profits, yet has high costs?

26079) 0.466) 2/   Will $TSLA continue "investing" in this hacky, cobbled together, webcam AP system? Continue to use webcams in th Y, etc.? Or will they quietly pivot to LiDAR and say " $TSLA's proprietary implementation of LiDAR" just like "Tesla's secret sauce of Pana batteries + magic"?

26080) 0.504) 1/  What is the end game for $TSLA's Autopilot?  At some point Musk will have to give the customers something real or refund them and admit that the whole thing was a lie, as well as Tesla Mobility, Robotaxis, etc.  Or will he just keep this game going for as long as he can?

26081) 0.128) 2020, after seventeen consecutive years of #Tesla losses, I hereby declare it is high time for the responsible mainstream media to pick up on  https://t.co/1OIt9hhivz rather than allow the charade to go on another year ...   $TSLA $TSLAQ

26082) 0.6016) $TSLAQ $TSLA Let me get this straight: Tesla put motor speed sensors to the same integrated circuit with the pedal accelerator sensor. When the speed sensor gets hot enough, like after a long drive, on a parking lot, it could cause a leakage current, causing sudden acceleration!?

26083) 0.4404) Tesla Sentry Mode Catches Delinquint Vandals on Video on New Years Eve  Thanks @SteveHamel16 for the tips  $TSLA #Tesla #SentryMode    https://t.co/rhdv1RIkWT

26084) 0.3382) 10/  $TSLA can survive the lawsuits. Elon could outlive $TSLAQ. He doesn't need to fight everyone or anyone at all. All he needs to do is to successfully run a car company.  But that's the one thing he simply cannot do.  Every raise flips the hourglass⌛️, but we will still #CYAZ.

26085) 0.6534) 1/  While we're all talking about $420 making it the most important number in $TSLA 2019, let's look back at the most important number for $TSLA in 2018:  $359.87

26086) 0.4215) ⚠️Important Update⚠️  Tesla China to Deploy Made-In-China Model 3 Delivery Staff Soon, Says VP Grace Tao  $TSLA #Tesla #China #MIC #Model3    https://t.co/162Vl4m4BW

26087) 0.7184) Wow, my friend got a Model X P100D w/ FSD. Switched from Bolt. And after driving from Tesla store on New Year’s Eve - he ordered Model Y the same evening to replace Odessy in 2020. My jaw dropped. 2 years ago he was a Tesla sceptic. 🤯 $tsla

26088) 0.6908) 🚨 TESLA Q4 DELIVERY NUMBERS ARE ON THE WAY 🚨  See the estimates from the bulls and the bears. It looks like all are in agreement that $TSLA is likely to hit their estimate of 360,000 deliveries in 2019.   Read more:  https://t.co/1JM6ancb1n  cc: @Tesmanian_com @vincent13031925

26089) 0.8957) #ExplainBABYCharts #FraudWatch day 336  It’s ok y’all. The #DumDums have kissed and made up. Thank goodness 😅   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/jbl82GV0Dg

26090) 0.128) I may have underestimated the lemmings commitment to the cause. $tsla $tslaq  https://t.co/IU5zyz1Ozk

26091) 0.0772) $TSLA delivery report predictions:   1) The reported Delivery number will be above 110k, more likely close to 115k 2) Tesla will emphasize having achieved a 10k/week production rate in December

26092) 0.5859) Prediction:  Friday AM papa announces 118,420 deliveries and profitability secured  $tsla $tslaq

26093) 0.3197) Another reason why OEMs have little chance to compete with $TSLA: wrong forcing function.  BMW heirs that hold positions on supervisory board:  “For both of us, it’s certainly not the money that drives us. Above all, it is the responsibility of securing jobs in Germany.”

26094) 0.5574) Finger: anything positive about @elonmusk, @Tesla, $tsla  Leaf: tslaq  https://t.co/QC3TVgVpTF

26095) 0.7096) My first 2020 message:  Dear shorts,  I am very very “sorry” for your losses this year/quarter. Maybe next time think properly and you’ll make good decisions. Buy $TSLA.  Sincerely, Zack.   @thirdrowtesla @vincent13031925

26096) 0.3818) @vincent13031925 @NotThatTesla @ihors3 They burnt more cash than @tesla did since 2016 or 2017. $tsla has tangible factories, market share, trophies and awards for it. All these naysayers have is a bunch of embarrassing tweets.

26097) 0.1901) Thank you for posting. @Waymo is offering driverless taxi rides in Phoenix and $TSLA can’t even get a car to person 30 feet away. But @Tesla is an “industry leader”, right @Forbes?

26098) 0.4588) Tesla Dominated Dutch EV Market With Close To ‼️30K‼️ Model 3 Registered in 2019 🇳🇱  Model 3 completely rewrote the rules of what a compact sports sedan can be 🚘😎  @Tesla @elonmusk 🤝👍🏼 $TSLA #Tesla #TeslaModel3  https://t.co/kE9XLxyMNk

26099) 0.4684) Very good question.  How does someone ("hypothetical shareholder") make money investing in a company that "grows at an unstoppable rate"?  Does anybody want to answer this question?  $TSLA @Tesla

26100) 0.0762) @4kushner @sbalatan It’s apparently not all that hard in the State of California. $TSLA

26101) 0.8689) $TSLA. It seems we always get deliveries report around a week, to a week and a half out. I’ve read the past few days, most of you are expecting news sometime this week. Well, I hope you’re all right 🤓🤑🚀😘♥️. I’m thinking a minimum of 120k deliveries.  Thoughts?

26102) 0.7003) “[Model 3] actually gets better during your ownership… Suddenly, car doesn't depreciate bc newer model comes out &amp; it’s better. Suddenly, your car has same feature newer model has bc it just downloaded it. That is an absolute revolution in way car world operates…” 🏣 $TSLA #OTA

26103) 0.2003) Doug DeMuro awards Tesla Model 3 Performance car of the year 2019 🚘🔋🏆 “It’s gotten to the point where you almost can’t afford not to get a Model 3 Perf. bc it offers so much for the money, it’d be difficult to justify buying any other vehicle!”  https://t.co/yoMHNNJ4Rh $TSLA  https://t.co/AMocYmg7J3

26104) 0.4404) The only way for Stanphyl Capital to be profitable once again is to go public and short itself.  $TSLA $TSLAQ #Tesla

26105) 0.12) $TSLA - Turns out the Long Lines at Freemont was a Sting operation to perform a Bait and Switch to up-sell eager Tesla customers to get the expiring Tax Credit.  This is is a Very Elon move.  Dirty but probably worked.  $TSLAQ #tesla

26106) 0.4939) From KPI data indicated Tesla China sold about 50,000 vehicles in 2019, also from the people who familiar with the matter said that $TSLA China is targeting to increase 500% in 2020, reaching 250,000 vehicles  My estimate of 150K or equal to 300% grow is being very conservative.

26107) 0.6369) "With the stock now trading above 70 times 2020 adjusted earnings estimates and worth twice as much as Ford Motor Co., $TSLA shareholders appear comfortable. That might prove an expensive bet to make."  https://t.co/WFEcYxpZO0

26108) 0.4754) Really nice analysis here by @CGrantWSJ, which explains why the $TSLA numbers really don’t add up  https://t.co/lbhCs8LUFD

26109) 0.6322) "Elon Musk’s electric car company might report record quarterly deliveries Thursday, but a look under the hood is less pleasing."  $TSLA $TSLAQ  https://t.co/qSvlCqSsex

26110) 0.8918) Love to know Tesla owners top 3.  Cheap to fuel SAFEST Low depreciation Fast / smooth drive SUPERCHARGERS Fun Looks Over Air Updates ~0 servicing Life ~1MM miles Dog, Sentry modes Storage Community Remote control Future proof - self driving Zero emissions  $TSLA $tslaq

26111) 0.2023) Fun fact: Audi registered more E-Tron's in the Netherlands in 19Q4 than Tesla SuX (combined) in 18Q4 (and obviously orders of magnitudes more than Tesla in 19Q4).  $TSLAQ $TSLA

26112) 0.3612) For those of you who are keen on some new year's day regurgitation. $tslaQ $TSLA #MaMayeBarker #MuskCrimeFamily #MuskFamilySlushFund  https://t.co/3GiJAEMjHo

26113) 0.2782) It would not be appropriate to start 2020 without revisiting one of Elon Musk’s most blatant lies of 2019.   I even circled the best part for you. $TSLA $TSLAQ   https://t.co/eyKf5zIvBA  https://t.co/WgUTktDk8W

26114) 0.4753) @ICannot_Enough $tsla is 10% of his AUM but takes up 99% of the real estate in his head. What a joke!

26115) 0.6239) MASSIVE WOW re #Tesla extremely low depreciation / resale.  Why don’t Tesla owners sell their cars $tslaq?  Imagine when production capacity massively increases, price declines and  Tesla awareness goes global?    These are the cars that people want!   $TSLA

26116) 0.6798) Not nothing, but could be close to it. I'm extremely impressed with the @NHTSAgov's ostrich impersonation to date. $tslaQ $TSLA

26117) 0.8172) Musk is one of the great inspirational leaders of our time. Success from: personality, perseverance, critical thinking, analysis, risk-taking &amp; hard work.  He seems to have SUPERPOWERS which he secretly puts into action when no one is looking!  $Tsla 9/18  https://t.co/nDYfExaQaU

26118) 0.6249) Good morning TSLAQ. As of midnight last night, the period of stock demand and tax-driven demand for the Model 3 came to an end. The period of flow demand for that low-quality, barely insurable $55k piece of sh*t begins today.  Happy New Year indeed. $TSLA

26119) 0.6209) $TSLA - Good Night!  Sleep Tight!  And for everybody else...look out!   The guy is out cold!   $TSLAQ @Ctr4AutoSafety

26120) 0.765) Up next for $TSLA?   -Q4 sales data  -Q4 profits  -Model Y production news  -#GF3 ramp  -battery and drive train day   Happy investing  https://t.co/oUcxtgvFs8

26121) 0.4019) I predict @elonmusk within next 10 years will  become California governor to carry out his mission. He will clean up pollution and congestion in CA. Every roof will become a money printer for CA to balance the state budget. All gas pumps will be converted to superchargers. $TSLA

26122) 0.6369) Elon even got his mom to deliver cars.  I love this company. #tesla $tsla   https://t.co/HkPKhe622T

26123) 0.7882) So Mark Spiegel is a revered financial wiz @ $TSLAQ. The last 5 year result from his fund seem to say something very different.   Would you trust him with your money? Or anything he says.?   cc @mugenx86 @SteveHamel16  $tsla  https://t.co/wB9aMz2pVq

26124) 0.2023) $TSLA - Interesting leak in this Tesla. The car seems to be missing multiple seals.  This one is a Tent Special.  $TSLAQ

26125) 0.2732) Here's a screenshot of the Deadly Tesla / Gardena Crash Scene.  Looks like the Tesla never slowed down as the freeway ended. Near certain two more Tesla Autopilot deaths.  $TSLA $TSLAQ  https://t.co/zoBQkgT4Dk

26126) 0.0516) NHTSA spokesman wouldn’t say whether the Tesla Model S was on Autopilot when it crashed in Gardena. The black Tesla had left the 91 Freeway and was moving at a high rate of speed when it ran a red light and slammed into a Honda Civic at an intersection, police said.  $TSLA $TSLAQ

26127) 0.2023) Not only was Tesla Model 3 the #1 selling EV in The Netherlands in 2019, Tesla is now among the Top 3 brands overall for *total passenger car sales* (including fossil-burners) and the #1 luxury brand.  $TSLA $TSLAQ

26128) 0.1027) @TESLAcharts 12 active autopilot investigations currently   “That same NHTSA program had previously initiated probes of 13 incidents or accidents involving Tesla vehicles with Autopilot possibly in use. Results of 11 of those investigations were still pending.”  $tsla   https://t.co/DSGWvvqCaM

26129) 0.296) Excellent infographics demonstrating the colossal disruption of $tsla in the industry.

26130) 0.3182) Tesla 2019 Q4 Sales in Netherlands  Model3  16316 Model S  317 Model X  273 Total       16906 The scene of action expected to shift to UK in 2020 Besides, we might see "unrequited" demand from other EU nations being fulfilled. $TSLA

26131) 0.4404) $80B co with eternal profits going forward needs volunteers + CEO to deliver products in the last hours of a quarter.  $TSLAQ $TSLA

26132) 0.7679) Did I wake up in a new universe this new year??! Edmunds full of rightfully deserved praise for #Tesla who totally dominate their 2019 list! All is forgiven @edmunds! $TSLA @elonmusk

26133) 0.8464) My 2020 resolution  1. Add 500 more $TSLA shares to portfolio.  2. Share ton of knowledge with teammates @ work.  3. Spread more @tesla ♥️ in Twitter.

26134) 0.296) #Update: Tesla CEO Elon Musk spends part of #NewYearsEve helping new Tesla owners get their cars in Fremont. This way, they qualify for the 2019 EV rebate. $TSLA  https://t.co/P0siJftst3

26135) 0.9158) 2019 was a pretty good year. Drove a lot (20k miles), had some great memories and met a lot of you guys. Sold Midnight, replaced with Fwaud. Drove some more, bought some $TSLA, trolled some shorts, never got one response from @elonmusk but had a blast overall. May 2020 be great!!  https://t.co/03EpQQiBxY

26136) 0.4939) Thought I'd mention that our family friend bought a Nissan Leaf today. $tslaQ $TSLA

26137) 0.3724) FWIW, this thread on reddit details actual Physics reasons with $TSLA sensor data which hints that they do hv SUA.   Again, @Tweetermeyer u can discount this, but this is too muck smoke without fire then.   cc $TSLAQ    https://t.co/ReE0QW0jqE

26138) 0.7104) Hey SEC beta testers! Look over here! FREE PIZZA!  @SEC_Enforcement @SF_SEC @Boston_SEC @NewYork_SEC @FortWorth_SEC @Atlanta_SEC @LosAngeles_SEC @SEC_News @NTSB @NHTSAgov @FTC $TSLA $TSLAQ @SenMarkey @SenBlumenthal @CNBCFastMoney @CNBCnow @davidein

26139) 0.6249) $TSLA closed the year at 418.33%, up +25.2% for the full year, great for the long term investors  https://t.co/z3M1yqWVtE

26140) 0.3612) @mayemusk @Tesla This is why you don’t bet against @tesla.   Anyone want to share how the @Audi, @chevrolet, or @MercedesBenz dealerships look today?  $tsla $tslaq

26141) 0.4019) 1/ How can anyone doubt Ed’s credibility when it comes to $TSLA issues? He has proven himself time and again to be an incisive, thoughtful journalist. It’s perfectly legitimate for him to disagree with @TESLAcharts’ prognosis. We ourselves are somewhere in the middle. $TSLAQ

26142) 0.68) #ExplainBABYCharts #FraudWatch day 335  Wow. @tweetermeyer really gave us a gift to close out 2019. He countered #BABYcharts’s SUA conspiracy and a temper tantrum ensued. Just waiting for Paulie to get summoned 😂  Happy New Year 🎈🎊🎆 y’all!  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/DU3waGJVcJ

26143) 0.5574) It's fascinating to me that after 22 months of frivolity, Twitter messes with Chart's account over a public domain list of consumer complaints, each taken right off a United States Government website. $tslaQ $TSLA #BadNeighborhood

26144) 0.4019) I'm convinced an army of noobs will soon learn the meaning of hubris.  Hint, none of them know in real time.  $tsla

26145) 0.5719) 2019 in review: we bought a @Tesla #model3, our first full year with Tesla #solar, we started a @YouTube channel, we started this @twitter account, we bought $TSLA and made $, we spent more time as a family and decided the biggest decision of our life! So excited for 2020! 🧔🏻👩🏼

26146) 0.3612) Everyone has heard the accountant joke where he answers the "what is 2+2" question with "whatever you want it to be"  That person now works at $TSLA

Examples of wrongly classified positive tweets:

0.7177) A Billion dollar company yet Customers, Families, People are Left to Fend for themselves w damages caused solely by ⁦@Tesla! Sorry but I don’t give an F about the stock 🤷🏻‍♀️⁩ TSLA TSLAQ #Tesla Tesla stock wrapping up best month since 2013

This message in the tweet is negative, but also contains a link to an article from CNBC calles "Tesla stock wrapping up best month since 2013", which hugely affects the score VADER gives positively. The tweet might be illintended towards Tesla, but might also further spread the knowledge of Tesla performing well, so while the auther intended is as negative, it might also be considered positive as it contains as it directly links a very positive article.

23717) 0.2684) The corona virus could be the Black Swan event which starts the deflation of the Tesla bubble. The borrowing covenants are very clear that if Tesla does not meet certain thresholds the plant is in essence repossessed by the CCP. With North America sales declining tsla tslaq

This is somehow positive and demonstrates the problems with the compound score and rule-based evaluation based on individual words (and to some extent their context). We can see the evaluation below:

c = 'The corona virus could be the Black Swan event which starts the deflation of the Tesla bubble. The borrowing covenants are very clear that if Tesla does not meet certain thresholds the plant is in essence repossessed by the CCP. With North America sales declining $tsla $tslaq'
sid.polarity_scores(c)
{'compound': 0.2684, 'neg': 0.036, 'neu': 0.905, 'pos': 0.058}

Mostly neutral, and more so negative which by VADER's compounding equates to a positive score of 0.2684. We evaluate this as a misclassification.

23745) 0.4479) By all means this is not a “nomal” short rate. Who is financing it? Who is giving the capital to hedgefunds to stay put.? Who has got such deep pockets? $tsla

This is a negative tweet, which indicates some hedgefunds have very big short positions, which at the time of this tweets writing, most likely due to the Tesla stock rising at a rapid pace, might have been very expensive in terms of losses. This indicates that VADER has a problem handling specific trading-terms like "short position".

Examples of wrongly classified negative tweets:

j=1
sortedDF = df.sort_values(by=['comp_score'])
sortedDF.compound = sortedDF.compound.astype(str)
for i in range(0, sortedDF.shape[0]):
  if (sortedDF['comp_score'][i] == 'neg'):
    print(str(j) + ') ' + sortedDF['compound'][i] + ') '+sortedDF['tweet'][i])
    print()
    j = j+1
Streaming af output blev afkortet til de sidste 5000 linjer.
11409) -0.296) First iPhone. Jan 9, 2007 First Android. Oct 22, 2008  Apple's 1.5yr headstart resulted in 10+ yrs of Google catching up to Apple. Still no match in terms of revenue  Now, $TSLA's headstart is now about 12 yrs and counting..  @thirdrowtesla @28delayslater   https://t.co/tlWwINJDJH

11410) -0.2579) $TSLA - @elonmusk does not care about profits either (as we all know).   He only cares about the stock price and his fragile image.

11411) -0.1027) I'm sure the feeling was mutual &amp; why Gates did not buy a Tesla. $TSLA.  Elon Musk demeans &amp; insults when challenged.  #TheSociopathicBusinessModel #FraudFormula

11412) -0.25) Someone explain to Fred, please, about how $TSLA has slashed its SG&amp;A far beyond the point where its service &amp; infrastructure must ineluctably suffer.  Making the sale is all that counts. What comes after... well, you know. Build fast, break things.

11413) -0.9627) Tesla #IncelsForElon are relentless lately but not nearly as relentless as I am at blocking them.  Uptick in bots, targeted harassment &amp; hateful conduct usually mirrors the escalating, unraveling of $TSLA fraud.  #TheSociopathicBusinessModel #FraudFormula #CaseStudy #ElonMusk  https://t.co/rDmyBz7Tis

11414) -0.4404) German judges engaging in blatant stock manipulation attack when $TSLA expects it the least - on a day when markets are closed, so most of us can't buy the dip and defend $800.

11415) -0.4753) @NickyTaleb The deposition of Elon Musk in the employee whistleblower Martin Tripp case is this week.  Every time Elon insults Tripp's attorneys or lies....drink!  $TSLA $TSLAQ

11416) -0.6662) Something bad is happening at $TSLA. The amount of bot activity is way beyond anything I've seen in a while.  @MelaynaLokosky can back me up.  We can only speculate as to what's happening (Q1 numbers? competition? Legislation? DOJ? Zacxit?  Suppliers?)

11417) -0.9062) Crazy Eddie Memoirs: It took 18 years for our frauds to collapse and that was at a time when SEC lawyers were warriors, unlike today where they are wimps. So, Tesla might outlast Crazy Eddie. $TSLA $TSLAQ

11418) -0.9422) $TSLAQ $TSLA  -Tesla has lost money every year of their existence(yes bulls, even 2019) -negative ROA -negative ROIC  The important metrics for Tesla are horrendous and you’re focusing on meaningless things  As Iverson famously said “we talking about practice?!”  https://t.co/cpmHVgrO13

11419) -0.4019) Why is $TSLA still a buy? Read this.   Tesla's Hardware 3 computer frightens legacy auto after Model 3 teardown: 'We cannot do it' | TESLARATI  https://t.co/bn03SHqMcG

11420) -0.2755) Even the bulls aren't ready for 2020.  $TSLA #NotSellingAShareBefore10000

11421) -0.128) Works as a boat?  Try bricked by some seasonal showers.  $tsla, built Tent Tough.

11422) -0.6908) Re-enactment of every single #ToiletBoy proclamation about how some “competitor” press release vaporware is going to kill $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/2uYw4Y6QeL

11423) -0.5719) $TSLA ordered to halt work on German factory amid anger over chopping down trees  https://t.co/huvxGcS7tN via @CNBC

11424) -0.1027) Tesla teardown finds electronics 6 years ahead of Toyota and VW   One stunned engineer from a major Japanese automaker examined the computer and declared:  "We cannot do it."  $TSLA #Tesla   https://t.co/M7mpOOGVuY

11425) -0.1027) Tesla teardown finds electronics 6 years ahead of Toyota and VW  One stunned engineer from a major Japanese automaker examined the computer and declared, "We cannot do it." $TSLA #Tesla   https://t.co/yBUbSaUnz7  https://t.co/3y5qeNGMhW

11426) -0.2732) @PwC_USA While most companies' 10-Ks in 2020 had CAMs, @PwC_USA had some notable wording of risk in $TSLA's:   "The CAM doesn't alter in any way our opinion on the financials, *taken as a whole*..."  Used industry experts to test "mgmt's warranty reserve for a *portion* of future claims."

11427) -0.2232) Amazon as an example. You could have tried to buy low and sell hi and time it just right. But, if you just held the stock you would do just fine in the long term. It’s my view on $TSLA. I’m not smart enough to time the market. Odds are - you aren’t either.  https://t.co/8CFxUfhVtF

11428) -0.3468) 1) $TSLA likely committed so much accounting fraud in 2019 that @elonmusk &amp; @PwC_USA had some heated debates the night before the 10-K was signed by PwC.     Musk won, but likely on the condition that @PwC_USA was allowed to insert a "Critical Audit Matters" section in the 10-K.

11429) -0.1027) Tesla teardown finds electronics 6 years ahead of Toyota &amp; VW 🚘🤖📶 “One stunned engineer from a major Japanese automaker examined the computer &amp; declared, ‘We cannot do it.’”  https://t.co/2UyWXo3sxk $TSLA #Tesla #HW3 #EV @elonmusk

11430) -0.4201) Because the $TSLA story cannot get any more ridiculous (yet does daily), Greek Chorus member Vincent Yu's pro-Tesla side business has asked a Philippines-based writer named Claribelle Deveza to summarize coverage of an as-yet-unpublished SEC petition on short seller transparency.

11431) -0.9029) Tesla #IncelsForElon are self-owning so hard today. What's #ElonMusk so worried about?  Bad news again this week? I mean worse than mounting @TheJusticeDept @NHTSAgov &amp; @FTC investigations?  #TheSociopathicBusinessModel #FraudFormula $TSLA  @Paul91701736  https://t.co/8Ny2PRx7X7

11432) -0.296) Police had to get involved to make $tsla comply with court order to stop clearcutting of #Gruenheide forest  https://t.co/lphCKFuIZm

11433) -0.7351) "While the Taycan edged the Tesla in range, performance and handling it was squarely beaten in lying and obfuscation. Also, buy stonks"  $TSLA $TSLAQ

11434) -0.2732) @Looking__closer A true mystery, given how the $tsla Model Y has undergone grueling testing for years in the harshest &amp; most extreme climate conditions.

11435) -0.1027) BREAKING NEWS. GM to axe Holden brand in Australia at year end and will cease production of RHD vehicles world wide. The end of ICE is upon us. $TSLA

11436) -0.0571) Musk repeatedly shouting out ModelS Plaid: Absurd Performance. Ppl still ignore it. Industry is almost too scared to acknowledge it. Plaid shall shatter all existing super car  perceptions, and it will happen this summer. $tsla

11437) -0.4172) TSLAQ dumdums screaming that retail ran it up.  Looks at 13Fs.  Nope.  wrong again, lol.  TSLAQ must now pivot.  Renaissance Tech is just a momentum algo and retail will hold the bag now.  cant wait for the next pivot.  Hard to keep up  $TSLA

11438) -0.7906) $TSLA - The police had to stop Elon from destroying more trees, hours after a court ordered Tesla to stop.

11439) -0.5023) @tesla4k wAiT, BuT $TSLAQ FUDsters SAiD ThAt $TSLA HaD TOo MuCh DEbT....

11440) -0.6705) $TSLA is destroying a forest... "It's mostly a cardboard forest.  Kimbal will replant some trees in Colorado."  $TSLA is damaging the water supply. "It's mostly water for washing cars.  Elon is giving area residents Evian vouchers."

11441) -0.5859) $TSLA - the first Fractal Fraud™️  https://t.co/NCXXVjQLZ5

11442) -0.5959) AMAZING. $TSLA is the first Fractal Fraud™️. From far away or upon close inspection, zoom in zoom out, no matter what the scale, EVERY SINGLE THING ABOUT THIS COMPANY IS A FRAUD.  $TSLAQ

11443) -0.3818) breaking: initially overwhelmed with interest in its solar roof installer job posting, $tsla HR has determined that upwards of 98% of the applicants are just short sellers trying to figure out what the fuck is going on with elon’s latest scam. $tslaq

11444) -0.4767) Elon is going to roll out a fake time machine prototype before this is all over. Timestamp it. $TSLA

11445) -0.3612) The reason this spells the end of ICE is simple. No car manufacturer will be investing in the development of a technology that is soon to be banned, and yes, 15 years is soon in this industry. Their only choice is to shift their focus now to sustainable alternatives. #Tesla $TSLA

11446) -0.5267) "Elon Musk’s plan to build an electric car plant in Germany has run into legal trouble after a court said clearing a forest near Berlin for a new Tesla Inc. factory must stop immediately."  $TSLA $TSLAQ  https://t.co/Fr7jeYfXw8

11447) -0.0772) "utilities are still largely in the dark when it comes to seeing, let alone controlling, these distributed generation assets."  Stage, Left: Enter Tesla.  $TSLA #NotSellingAShareBefore10000   https://t.co/68X4nrQ3WI

11448) -0.7269) Car manufacturers debt... 🤔  Is $TSLA bankrupt yet? 🧐

11449) -0.296) @montana_skeptic Court orders stop of clear-cutting at $tsla #Gruenheide via temporary injunction. $tsla doesn't have a building permit. Public permitting (or not) process wont start before 3/18

11450) -0.34) My prediction in video form.  If you disagree: ignore the text, download the video and adjust the playback speed to your liking.  $TSLA  https://t.co/WKOq9XDjtL

11451) -0.824) i had an encounter with a GAS GUZZLING DICKHEAD who coal-rolled me on the highway. too bad $TSLA camera resolution sucks especially at night so i couldn’t read the plate number. notice how the truck switched lanes to blow smoke at my direction. then i zoomed &amp; let him eat dust 😂  https://t.co/iXNX1qtKUA

11452) -0.1999) So this is how you're gonna staff up Buffalo?  Just train a bunch of "employees" for a product with no demand so that you can hit your job goal and avoid the NY fine.  Sad.  Did you come up with this on one your own or did Cuomo help guide you? $tsla $tslaq

11453) -0.8779) Shortsellers in rectifications for losing billions on $TSLA shorts during calls: "Tesla is a cult, so the price can be irrational."  Don't short such a company then, if you know that "cults" have irrational prices. You are just pathetic, making excuses instead of owning up.

11454) -0.561) .@Tesla Autopilot was not activated and this accident that did not involve any Tesla's  $TSLA   https://t.co/fpGn4e5vbq

11455) -0.25) This $TSLA GF4 Berlin protest song is quite catchy. 👇🍿👇

11456) -0.5859) Looks like starving R&amp;D &amp; CapEx of $$$ because of the Perpetual Rolling Bankruptcy is starting to bite $TSLA in the ass....

11457) -0.2117) @justpaulinelol @elonmusk No! Anyone can do it. A secret that #BigROOFING doesn't want you to know is that roofing requires NO TRAINING. Just climb up there with a hammer/nail gun/caulk and you're good to go!   #EndBigRoofing #LicensingIsForPedos $TSLA

11458) -0.743) Elon Musk is literally destroying a forest in Germany to build automobile vehicles and the $TSLA cult doesn’t give a damn. Full brainwash has been complete.

11459) -0.4767) Tesla ignores a court order until the police showed up to enforce it. That’s exactly the same demeanor $tsla has shown in the past at GF1 in Nevada.  As they say in Germany: The fish stinks from it’s head.

11460) -0.6908) @lovethoseknicks @DavidBCollum @markbspiegel @TESLAcharts Exactly. Except $TSLA is abysmal at manufacturing, has world worst infrastructure &amp; customer service, is far behind in autonomous driving. On the other hand, it is the undisputed leader in subsidy snuffling, stock promotion, &amp; accounting fraud.

11461) -0.2869) What if $TSLA will lose only $1B in 2020? Will it then be worth only $500/share?

11462) -0.3818) fremont - short of parts, and buyers gigafactory - take or pay obligations buffalo - a three ring circus germany - court ordered stop work shanghai - mothballed indefinitely  $tsla market cap: closing in on toyota

11463) -0.3612) E-Tron is trending to outsell #Tesla 3SX combined this quarter in Norway. The chart shows E-Tron vs SuX only.  $TSLA $TSLAQ  https://t.co/0eBMJMeuJi

11464) -0.536) HN: it were allegedly **only for 2 hours** that $TSLA $TSLAQ ignored the Court's decision.  But this is in my humble opinion not a good start for Tesla to become a "good corporate citizen" in Germany with its own factory.  It will haunt them.

11465) -0.296) My 13 years old is taking on $TSLA. He thinks hydrogen is the future. He is testing his first production cell. Next step: the Peta-factory. you will note he is using a lithium-polymer battery in his process, though. 🤓  https://t.co/tqhUVpIBgL

11466) -0.7213) DEFORESTATION STOP AT #GF4 🚨🚨🚨🚨🚨 $TSLA, $TSLAQ  Police has to enforce the stop. Stopped by a decision of the Higher Administrative Court Berlin-Brandenburg.   https://t.co/tNpx7bk3mK

11467) -0.5423) Temporary injunction to halt destroy a forest day  $tsla

11468) -0.7906) @DeanSheikh1 If I were $TSLA, I would be looking for secret ways to fund the environmental movement seeking to block the deforestation, as building the factory is about the worst decision I can imagine Tesla making at this point. Fremont, Riverbend, &amp; Shanghai are all way under capacity.

11469) -0.296) Construction stop until the court decides $TSLA  https://t.co/qcKeZeX1sH

11470) -0.5423) $TSLA  "Tesla is recalling 15,000 Model X SUVs after discovering common road salt is posing serious dangers."    https://t.co/NAy3L9sRwq

11471) -0.296) @evebitdap @montana_skeptic @fiat_promises @orthereaboot @Tweetermeyer @4xRevenue @markbspiegel @PwC @SEC_Enforcement 2/Perhaps, given the subsequent publicity related to these events, the auditors or SEC forced $TSLA to move those wage costs into COGS and the associated stock comp with them.  In order to preserve the all important GM fiction, Tesla then shifted other costs to SG&amp;A from COGS.

11472) -0.5859) Critics always say the competition is catching up to #Tesla. What they fail to realize is Tesla is never standing still, and always reaching higher. I think it will be years before any other #EV maker will reach 600+km, at which time $TSLA will be at 1,000km+  https://t.co/J6Xy88yHBy

11473) -0.1027) Pay attention stock traders. #tesla $tsla

11474) -0.3612) Tesla Motors - How Tesla Could Use Its $2B In Offering Cash: A Cybertruck Plant, China, Debt Payoff | Benzinga $tsla   https://t.co/c1z38v1NY3

11475) -0.2023) $tsla projects to sell 550,000 cars WORLDWIDE this year.  That’s 120,000 less then the population of Detroit.  And Detroit is mostly abandoned.  It’s less then one half of 1% of the market share.  People are not flocking out to buy Teslas. That’s reality.  $tslaq

11476) -0.4493) #ff My brother @macrodesiac_   A master of his craft, one of the real good guys, a $TSLA bull, and he’s also just hooked me up with a lifetime premium tradingview. What’s not to love :)

11477) -0.8462) wpipperger: "But many who are first will be last, and the last first"  truer words have seldom been spoken. 😭💔seeing how Daimler execs Zetsche &amp; wpipperger have turned this century-old eng powerhouse into a shadow of its former self.  $TSLA -&gt; #1, Daimler -&gt; 🚽, $TSLAQ -&gt; 🔥  https://t.co/E8rrwY7i5X

11478) -0.2023) $TSLA -1/ @elonmusk, Just like your Shanghai Factory and shitty Model 3:  “ China Speed and China Quality”  “Netizens sent that the "Velocity of China" of the Communist Party of China's Wuhan Vulcan Mountain Hospital began to leak. . .”

11479) -0.3382) Say you bought 8 $TSLA shares in Q2 2018, SP 280 - 380 range. Holding 1.5 year patiently then selling them Q4 2019 at SP 240 - 418.    How sick would you be missing the Jan &amp; Feb 2020 run to 968 ?  Now imagine having done that  that with &gt;8.2 MILLION shares ! The Saudi PIF knows.  https://t.co/lJplaQQtBk

11480) -0.0803) @thirdrowtesla 🐻 Prediction was:  No GigaShanghai   No model Y   FSD is only stock pump   $TSLA is at zero

11481) -0.7269) You heard it here first. "Ruining Hype" is now a criminal offense in the view of Elon Musk's defenders. $TSLA  https://t.co/Qdym4WTHKM

11482) -0.6513) We are now under 22M $TSLA shares shorted   👏🏻👏🏻👏🏻  And get this...  @ihors3 says there are 40M $TSLA shares available to short right now, but nobody wants them at these "high" prices.  🐔🔥🐔🔥🐔🔥🐔  Shorts _will not_ get out of this trade without losing everything they own.

11483) -0.7488) #FraudWatch day 380  Conspiracy! Get your fresh #DumDum conspiracy!!  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/xzUjDzT4yJ

11484) -0.4767) Guess this car's range. Wrong answers only. $TSLA #TESLA  https://t.co/tfJETDRi72

11485) -0.6369) *Breaking* #Tesla update ModelS range to be ~double Porche Taycan at 1/3 of the price. Choice is too obvious  Buy the damn $TSLA unless you want to waste your 💰

11486) -0.2263) If you want to know why $TSLA issued equity, look no further than their revenues. In markets that totaled 16% of Q4 sales (Norway &amp; Netherlands), they've generated less than $25mm of sales QTD.  Working capital is consuming $ bn's. They need giant March sales with China headwind.

11487) -0.9042) $TSLA - They will be busy in March with peddling cars the usual panic. But come April 1st, they will be hiring anybody with a pulse to avoid the $41 million fine.   Elon goes from crisis to crisis.  Very inefficient.  This is why Tesla has not made an annual profit in 17 years.

11488) -0.8225) Assuming 100% retention, Tesla needs to hire avg of 6.5 new employees for giga buffalo every business day till 4/30 to avoid $41m penalty. Classic Tesla move. I’m sure they won’t fudge the numbers. Each hire represents $114k penalty avoidance. $TSLA

11489) -0.4588) @TroyTeslike Might we amend that just a bit? $TSLA in 2019 sold 257k AWD/Performance Model 3s. That backlog demand, though, is now exhausted.

11490) -0.5859) Roses are red Violets are blue $TSLA is a fraud And Musk is a crook

11491) -0.6808) 1/ Hey, @blakersdozen, I saw your article about about the Tempe, AZ man who deliberately caused a collision with a Waymo vehicle. Your account of Tesla's TRO was incomplete &amp; unfair. $tsla

11492) -0.3818) As the saying goes, innovate or die   I’m sure there are #DumDums out there that were hoping to call this a Tesla killer. Too bad. #CYAZ ✌️😘   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/eaQj73wj6G

11493) -0.0516) 1/Tesla is going to go bankrupt if the can't raise about $3 to $5B (even after stating the last two cash raises were their last.) The hype from the sales of 367,000 vehicles led to building $9B worth of factories in China and Germany. I sounds like $TSLA $TSLAQ

11494) -0.25) $TSLA closes the week 3 cents shy of $800

11495) -0.5106) Many made claims that @elonmusk said or promised on the Q4’19 call that $TSLA “won’t raise cash.” Then said he lied or was a bad leader when they did.  Go to the call. It NEVER happened. They don’t say ANY of... We won’t raise capital We don’t need cash We don’t want cash

11496) -0.2644) Hey fraud boi @elonmusk what happened to The Boring Co tunnels? All your religious zealots were assuring $TSLAQ that it would be 10x more cost efficient, faster, stronger, better? Was that just another one of your fraud fantasies? $TSLA

11497) -0.7783) Tesla will lose money again period. Q1 will be a disaster.  $TSLA    https://t.co/C5uWDtkgZR

11498) -0.707) I think it's very unwise to sell Tesla. I mean, it's just very unwise. I think there is... there's a tsunami of hurt coming for those who sold their shares. It's going to be very, very unpleasant. I advise people to buy back while there's time.  $TSLA #NotSellingAShareBefore10000

11499) -0.6705) 13/ In sum, this raise is $TSLA's move to cash in on a freak stock spike furnished by relentless pumping + irrational exuberance.   With a bad Q1 looking increasingly inevitable, investors might be wise to follow Tesla's lead and start selling now. $TSLAQ  https://t.co/HkrjBZ6VbA

11500) -0.3089) 11/ The millstone of purchasing obligations appears set to grow ever heavier for Tesla, as Panasonic isn't producing batteries for for Shanghai. Thus, expanding international production won't help absorb the extant domestic obligations. $TSLA $TSLAQ  https://t.co/C4FlQdhZKs

11501) -0.4019) $TSLA short int is $17.58bn ; 21.87mm shs shorted; 15.38% of float; 0.30% borrow fee. Shs shorted down -3.31mm shs, -13%, over last 30 days as price rose +49% &amp; down -461k shs, -2.1%, last week. Shorts down -$9.20bn in 2020 mark-to-market losses; -$77mm on today's +0.44% move  https://t.co/97Du2htVkd

11502) -0.6249) You might be swatting someone when:  Your CEO claims there's a threat of an active shooter &amp; "the comms team can fill you in", then your head of Comms/PR responds: "I'll take it from here" (she quit within weeks).  $TSLA is a criminal enterprise.  Today's 4th anecdote.  https://t.co/a5x7wATYU1

11503) -0.5423) Getting some push-back that the SEC won't do anything about $TSLA. Perhaps.  The reason to be alarmed is this is a company with a long history of not disclosing SEC probes. Now they disclosed a formal one. Why now?  Because *THEY* perceive the SEC poses a material risk. DOJ too.

11504) -0.1027) It starting to become apparent demand for $TSLA shares exceeds supply, by an extremely large margin. This can occur because of how low the float is given its size, in addition to the fact that TSLA is generally underowned by largecap equity managers.

11505) -0.5466) 5/ Second, and there's no getting around this, once it makes the sale, $TSLA just doesn't care too much about customer service. That's how it has managed to slashed SG&amp;A to the bone: by creating long waits for service &amp; long lines at Superchargers.

11506) -0.2411) 4/ It's the opposite at $TSLA, which is incentivized to squeeze warranty costs down, and whose service centers have none of the incentives that independent dealerships have.

11507) -0.6369) 2/ The OEM most likely to use connectedness to abuse its customers is undoubtedly $TSLA? Why, two key reasons...

11508) -0.5256) Tesla prices it's new issue at 767, Telling the market it's stock is overvalued and yet it goes green. DOJ, SEC investigatuons disclosed. Accountng irregulariries abound in financial statements. Something seems really wrong here. $tsla $tslaq

11509) -0.2617) @markbspiegel no idea why he did all this diligence for lemon lawsuit, but it is quite a doozy. outlines lot of illicit behavior by $TSLA.  Also outlines specific policies by $TSLA around goodwill that jive w everything I've seen. I smell the start of something.  case:  https://t.co/VoXT2alheU

11510) -0.6249) $TSLA engages in rampant warranty fraud that inflates auto GP &amp; income &gt; $1bn to date. And now we have a lawsuit that outlines the policy.  "Thus, Manufacturer engages in a pattern or practice of denying that work for which the consumer is not liable constitutes warranty repair"  https://t.co/gjGQPE5hRH

11511) -0.4019) Subsidies have no impact on $TSLA whatsoever. All demand is organic and unlimited. By the time Elon is done with the competition, all other OEMs will cease to exist.   $TSLAQ  https://t.co/HsWxk5gSNU

11512) -0.8176) Another day, another lawsuit filed against $TSLA for retaliating against employees making disclosures about their working conditions.  $TSLA acted with "oppression, fraud, malice and in conscious disregard".  None of this is remotely normal. Tesla is a bad faith actor.  Issa Vs.  https://t.co/05rRBf7efQ

11513) -0.5749) Tesla did NOT sell these shares at a discount. COME ON FUD MAKERS.  The stock rallied $40 yesterday on the news. Tesla sold the stock at the price before the announcement. $767 #tesla $tsla

11514) -0.5859) Back to the ABL.  Remember the investment bankers that sold the public "1 million $TSLA robotaxis" for that life-saving cap raise last May?  They were the same lenders for the ABL and bailed out themselves.  Fraud pays, and they're all involved.   https://t.co/z0dERuKNsW

11515) -0.5859) The $TSLA mantra, even when caught, is always the same:  "no impact" on current cash, balance sheet, etc.  It's water under the bridge.  And they survive to the next capital raise.  As we've been conditioned to understand, fraud pays.   https://t.co/BFBNMtfrn1

11516) -0.7579) If the speculation about the $TSLA subpoena is true (cheating on the ABL to avoid BK), it won't be the first time they cooked the books to avoid financial hardship.  In 2013 they had to restate the financials because they had overstated cash flow throughout 2012 (DOE loan era).  https://t.co/ry39CZ49wo

11517) -0.6103) This is in the $TSLA 10-K  -- "provides our customers with convenience and additional income through participation in an autonomous Tesla ride-hailing network" This is 100% criminal!! AND IT'S IN A 10-K WTFFFFFFFFFFF $TSLAQ

11518) -0.4767) This risk factor is a reminder that $tsla isn’t a revolving door for talent- it’s just an exit for &gt; 2 years.  Any $tsla hire over last couple years that had any independent credibility is already gone.  All that remains are Musk lackeys willing to fraud.

11519) -0.5994) $tsla now warns about perception of “sufficiency &amp; stability of our management team . . . whether caused by us or not” as a significant risk factor.  Strange, don’t see other companies warning about self-harm to sufficiency &amp; stability of mgmt.  Something we should know Elon?

11520) -0.8602) I see $TSLA got brutalized in the US again w/ 4Q19 rev (34%) y/y; Something funny w/ Norway 4Q # as I come up w/ ($22 mill) revenue (maybe I did bad math); anyway, why again is this company trading at 80-100x EBITDA (ex reg credits) when US sales are collapsing y/y?  $TSLAQ

11521) -0.4767) Look, if you think $TSLA raising $2.01 billion, the day it releases its 10-K, with their China pump suffering a pandemic virus, while disclosing DOJ and SEC investigations, and the CybertruckFail and Model Why on deck, is all somehow bullish... I have some stonk to sell you.

11522) -0.1613) Fun Fact: $TSLA added FUD language to one of its risk factors in its 10-K.  https://t.co/5QlQrxJ0qK

11523) -0.6808) Indeed, but in a sneaky, tied to “single-source suppliers” &amp; “materially adverse impact” sort of way.   $tsla   https://t.co/RIvlw11S9T

11524) -0.34) 🚩January 29, 2019 Elon Musk says Tesla won't raise capital 🚩February 13, 2019 Elon Musk does $2 billion Tesla raise.  Inconsistent &amp; contradictory language to action is a #RedFlag 🚩#Warning a company is using tactics from #TheSociopathicBusinessModel #FraudFormula $TSLA  https://t.co/EcWMT7tnKX

11525) -0.4019) BREAKING: $2bn $TSLA equity offering to be EPS accretive as sell side analysts come to realization Tezzler will lose money for record 18th year in a row in FY2020. $TSLAQ

11526) -0.8016) More perjury from Elon Musk. In February 2020, we still don't even know what a "delivery" is, among other omissions (we deny warrant-carrying OSHA inspectors entry, we're being sued more than once per business day, we lied about our Chinese factory producing cars, etc.). $TSLA  https://t.co/BdkL7Q7CB3

11527) -0.5574) UK plan to ban combustion-engine cars creeps forward to 2032 🚫⛽️🇬🇧 “…includes hybrid &amp; plug-in hybrid vehicles”  https://t.co/LK4XWdU0aY $TSLA #Tesla #EV  https://t.co/nTmIiqUgs9

11528) -0.7579) Until Fred confirms, we’re all flying blind.  🤒.  Desperate offering for a desperate company.  Can’t fake it forever.  Good job so far tho.  $tsla.

11529) -0.7003) $TSLA - 1/@elonmusk @ZKirkhorn $TSLAQ has been telling you for a while now.  Your lack of experience in crisis mgmt is clearly evident.  Your supply chain is greatly impacted by #Coronavirus  Tesla acknowledges 'health epidemics' as new risk in 2019 10-K  https://t.co/D7cTslMb6y

11530) -0.6486) This is the second-earliest release of a 10-K by day of the year since $TSLA went public, beaten only by the release on 2/10/2016. Either they wanted to release it now to bury the bad news of the SEC investigation with a simultaneous raise, or take advantage of the high price...

11531) -0.5423) I don’t know how people lived before autopilot. The traffic is soooo bad in LA. #tesla $tsla

11532) -0.3612) Crazy Eddie Memoirs: I disagree. Today, SEC subpoenas are like toilet paper. You can wipe your rear ends with it. $TSLAQ $TSLA

11533) -0.3753) 🐻1: Hey Elon raises capital again!!  🐻 2: Fuck ya!! $TSLA dips 6%!!  🐻 3: Cheers bros 🎊  🐻 4: See!! I told u right?!  40 mins after market open......  🐻🐻🐻🐻:......... Nothing 🍔 again  https://t.co/NxtPyyp0kE

11534) -0.5994) Wall Street called Crazy Eddie a retailing “revolutionary” and “innovator” for busting fair trade (price fixing) and giving deep discounts to consumers. However, Crazy Eddie was still a fraud. $TSLA $TSLAQ

11535) -0.2263) If you want to summarize the 10-K, look no further.  $TSLA $TSLAQ  https://t.co/f90oLP4HDR

11536) -0.3818) When your business is securities fraud, you don't worry about profits. Not really. $tslaQ $TSLA #TheTheftLifestyle

11537) -0.3182) @MelaynaLokosky Leaked pic of the information Tesla "voluntarily" sent to the DOJ  $TSLA $TSLAQ  https://t.co/YNwB489XAQ

11538) -0.4019) $TSLA short int is $16.66bn ; 21.71mm shs shorted; 15.27% of float; 030% borrow fee. Shs shorted down -4.13mm shs,-16.0%, over last 30 days as price rose +46% &amp; down -435k shs, -2.0%, last week. Shorts down -$9.12bn in 2020 mark-to-market losses; -$797mm on today's +4.78% move  https://t.co/vf5i1Cy8ZG

11539) -0.3384) Anyone w financial acumen that had last years 10K &amp; this year’s 10k would value the equity materially lower y/y   10Ks contains the most credible, non-promo info for all companies, even $tsla  That equity is 2x+ couldn’t be more disjointed from fundamentals  Trade accordingly

11540) -0.128) Here's a brief snapshot of the equity raises $TSLA has done to date.  Half of these, you know, weren't really needed.  Umm, ahhh, can fund all obligations from internal cash, umm, ahh, off the hook demand for the cars.  Hello, there's this place called Shanghai.  La, la, la.  https://t.co/nW9o97lVTL

11541) -0.8271) $TSLA price surge is taking a toll on another hedge fund manager as Tom Claugus’s GMT Capital suffered losses last month after betting against #TSLA. 😓

11542) -0.7133) $TSLA how sick is this chart!  Shorts $TSLAQ thought it was an easy short but failed to realize they are probably try to hold up the stock to get the highest pricing possible as the offering price is not yet set  So it will most likely continue to trade within this channel  https://t.co/NPcHqam4bp

11543) -0.7337) Gotta say the frustration of $TSLAQ bears has got to be simply crushing. Market keeps making new highs after teasing overnight selloff. Bears foaming at the mouth over every piece of bad news and then from out of nowhere ••••  💥BANG💥  $TSLA up $100 from premarket lows! 🤣  https://t.co/GhPVK62dCh

11544) -0.6124) @SF_SEC Troll much?  $TSLA has committed the following: Theft of funds Manipulation of security's price Insider trading False/misleading statements Failure to file reports Bribery/improper payments  I have reported these cases, and contacted the SEC Ombudsman, but there was no response.

11545) -0.296) $TSLA should do a stock offering every day and it'll be at $1,000 in no time.

11546) -0.3736) Walking back Y margins, FSD, China production. What have I missed? What comes next?  $TSLA $TSLAQ

11547) -0.4512) "You're told to make promises you can't keep, your phone will ring at all hours of the day with reasonably angry people you can't help" $TSLA $TSLAQ  https://t.co/vfqAGNa1l4

11548) -0.2023) $TSLAQ $TSLA filings show they are cutting workforce, sales dropping in every country they've been in over 300 days, filed to sell more stock to idiots at ATH's, new subpoena's and legal liabilities, stock up 5%, @carlquintanilla @TESLAcharts what's going on?

11549) -0.5574) Sold 1/3 of my $TSLA at a net profit.  My remaining 2/3 have a negative cost basis now.  Plan is to swing trade from now on. Either price will go down and I'll load up again. Or i sold at the wrong time and i cut my gains by 1/3.

11550) -0.5673) @stevenmarkryan Media : Oh Shit!! Tesla is making batteries now !!! Scoops scoops!!   $TSLA REAL investors: 😑🤘😑🤘 (well expected)

11551) -0.4404) I personally suggest LT investors should focus on $TSLA future developments. Daily stock movement is meaningless to me.

11552) -0.2023) $TSLA has started its destruction of the protected German forest.

11553) -0.5859) $tsla annnounces a $2b stock issuance to raise money via the equity markets and the stock price rallies.   wtf is going on w/ that thing?

11554) -0.25) Does anyone remember $TSLA trading in the 600’s ? 🤷‍♂️   At least we stuck in the 700’s for ten days..   Likely last time we’ll see those...

11555) -0.5859) Apparently $TSLA's solar-powered cash printers can't keep up with cash demand during the winter months. Fortunately, other cash printers exist.  As I’ve often stated, Tesla remains one failed raise away from bankruptcy. Nothing has changed.  https://t.co/Ps8aOjR3OP

11556) -0.2732) Speculation:  The raise is about paying suppliers.  They either reached their limit, suppliers went COD, or nCov means they have to rush-order parts from new supplier at higher price or build parts themselves.  Facts: There is supply line disruption. $TSLA needs money. Related?

11557) -0.9442) Tesla's Nonsensical SEC Investigation on Model 3 Production Estimates Is Over  Hate to say this but those stupid TSLAQ are wasting taxpayers money and investors’ time for the stupid 💩  Nothing burgers again &amp; again. $TSLA   https://t.co/KVedygGNyZ

11558) -0.7506) $TSLA is up nearly 6% on news of supply chain disruption, plummeting Chinese demand, a new SEC investigation, new disclosures about questionable accounting, shareholder dilution, and still no permanent General Counsel.

11559) -0.7351) It appears there's been a severe outbreak of moronavirus among $TSLA investors. Infection rate is approximately 100%. It is recommended that their brokerage accounts be quarantined in order to avoid further damage.

11560) -0.6249) Damn $tsla squeezing shorts balls... the covering when it got close to $800 was crazy  https://t.co/SvojSyHrAR

11561) -0.6597) Update:   Jordan is right here- the new disclosures from PWC on $TSLA warranty aren't a sign of any increased attention, it's newly required &amp; similar for all OEM's.  PWC is ignoring $TSLA glaringly obvious warranty fraud per their historic pattern.

11562) -0.4404) When Fremont production is curtailed in a week or two and $TSLA burns through the entirety of its capital raise in a Q or two, they will rely on this small insertion in to their risk factors to pretend they gave everyone fair notice when they were wholly aware of the problem.

11563) -0.34) Is the stock drunk? 🤪 $tsla  https://t.co/bkSHdVV2TH

11564) -0.6897) $TSLA I don't have a position and price is crazy, but in total isolation, the $2B raise at these stock prices should in fact be a boon for the price.   That was the right call and, really, if it would have been $4B I bet the stock would be even higher.

11565) -0.6765) @Tweetermeyer @evebitdap @4xRevenue @markbspiegel @PwC Tesla US sales are falling, and per $TSLA, they had to lower prices just to incent demand to get to those sales levels.  This is not a healthy business  15/  https://t.co/YdFtxQPwk3

11566) -0.8674) $TSLA has raised $2B, twice, in 8 mos. Both times stating it was unneeded.  You can believe in its future but its actions in the present show it 👏 has 👏 no 👏 money.  Checks bounce Warranty repairs denied Swaps employee vacay for car discounts bf firing them (no $ payout)

11567) -0.2638) Goood Morning $TSLAQ. Today we have a nice reminder that Larry Ellison is on the Board. Roughly the 7th wealthiest Billionaire on the PLANET.  Larry ALONE would never let Tesla go #Bankwupt, yet you all wait for it to happen daily. You cannot possibly be more DUMB.  $TSLA #Tesla  https://t.co/cGEbZlceCA

11568) -0.5106) One could argue that with the cap raise, credit upgrades are likely to happen faster, which would boost the stock even higher since it blows a main $TSLAQ thesis out of the water.  Also, future debt will issued at significantly lower int. rates - 4.4% yield on $TSLA debt today.

11569) -0.6597) @Tweetermeyer @evebitdap @4xRevenue @markbspiegel Whoa  Seems @PWC knows there's significant warranty fraud going on- new, highly unusual caveats in signing this years 10k.  The reserve requires "significant judgement" and is "subjective".  No, PWC, $TSLA warranty reserve isn't "subjective judgement", it's just fraudulent  13  https://t.co/FBd8kyELuF

11570) -0.2484) One of the go-to threads today on the surprises in $tsla's latest 10-K. Two points to ponder: (1) They're all bad surprises. (2) It's of absolutely no consequence to the share price.

11571) -0.2263) @Tweetermeyer @evebitdap This doesn't seem to square with the "supply constrained", "incremental margin" &amp; "Model 3 "profitable" narratives, not at all.  $TSLA Gross Margin decreased y/y bc of "pricing actions" e.g. lack of demand at previous prices, &amp; greater Model 3 sales.  10/  https://t.co/UWDgTQtnLQ

11572) -0.4648) $60/share times 150-200 shares (from $720 pre-mark). That’s on YOUR ASS, $TSLA shawty.

11573) -0.2185) LOL Poor $TSLAQ stepped in another bear trap. $TSLA

11574) -0.296) 1/29/20  Musk, whose sentiments were echoed by CFO Zachary Kirkhorn &amp; Tesla's Automotive President Jerome Guillen, said #Tesla has no intention to raise more capital at this time or possibly ever again.  2/13/20  Tesla announces it plans to offer $2 billion of common stock. $TSLA

11575) -0.296) Today is the beginning of the end of the continual fraud and material misstatements by Tesla &amp; Elon Musk or the end of the integrity of our capital markets.   @secenforcement you decide. $tsla $tslaq

11576) -0.7351) $tsla out from my avg down for 200% 🔥🔥🔥🚀 riding some for freeeeeeeee

11577) -0.7351) I won't trash people who lose money investing. We all do at times. That said, if you're buying $TSLA today, you're going to get your ass handed to you and you deserve it.

11578) -0.5994) New for first time, even this EPA is reviewing $TSLA fremont for violations of the Clean Air Act.  Spoiler: as documented by @Tweetermeyer , Tesla is in violation.  6/  https://t.co/WvTTwOdwbm

11579) -0.5267) Summary of today's bullish news:  * $TSLA needs to raise, despite having $6B and cash and Elon lying about it on the conference call just two weeks ago * The SEC issued a new subpoena to $TSLA the very same week their general counsel quit * Dan Ives says the bottom is in

11580) -0.0834) "Growth" company without growing revenues &amp; a new plant in China has 800 fewer employees than prior year.  And $TSLA, no, your relationships with employees are not "good".  5/  https://t.co/WZm1wcky8s

11581) -0.7208) The criminal Elon Musk doesn't care how anything looks to anybody. Why should he? $tslaQ $TSLA #TheTheftLifestayle #TeslaRICO

11582) -0.3818) Tesla $TSLA responding well to the negative newsflow again, and 1000 May $1170 calls are bought $18 to $18.70 to open

11583) -0.1027) More on $tsla changing sales tactics this year to now sell to leasing cos (who pay Tesla when they find a customer): I went back to the first paragraph of the 10-K over the last 3 yrs to see how $tslaQ describes itself. There was one major change to the description (1/4)

11584) -0.7178) $TSLA - Very disappointed with the $2B cap raise. You told investors on the conf call 15 days ago “it doesn’t make sense to raise money.” With $7B net debt and $4B Ebitda you could easily issue $2B debt at 5-6% w/o dilution.  Makes me wonder @elonmusk. I call them as I see them.

11585) -0.3412) $TSLA up on secondary news, because investors don't know better.

11586) -0.1154) Tesla offers $2B in “stock offering”  A stock offering: is like a reverse stock buyback  where a company sells shares to the general public.    Before 2016, “selling” occurred quite frequently  on wall street - but no more   😉 $tsla #tesla  @DiMartinoBooth @GaryKaltbaum

11587) -0.4939) Raising dilutive equity capital at a price 10x below intrinsic value *while non-dilutive debt is yielding 4 percent* is yet another poor decision by the $TSLA finance team.

11588) -0.6604) Jim Cramer saying Elon Musk did nothing wrong?? The earnings call just a week ago no plans to raise. This was a lie misinformation again. I would say that was something wrong $tsla $tsla

11589) -0.25) Remember that the $TSLA General Counsel resigned on December 6th. He was the third such general counsel within the year.  https://t.co/43An6ZamTC

11590) -0.1796) Tesla probably sold the $2 bil in shares in 39 sec. this is good news. It pushes prices a little lower. That’s what you want if you want to invest long term. And Tesla has the capital to continue to change the world. Sorry oil and auto folks. You’re doomed. $tsla

11591) -0.0644) $tsla should be Interesting.  It should Create a new floor but it will be thicker and the movement will change.  We’ll see where the reactionary low is today  https://t.co/R2CpBj9ET5

11592) -0.296) @glenntongue Meaning the $TSLA CEO has no credibility, obv.

11593) -0.8807) So is can’t raise can’t leave dead again? Asking for a poor bald $TSLAQ #DumDum with a dust collecting drone fleet who kept screaming there were ZERO buyers at these levels... and that was $400 ago.  $TSLA  https://t.co/iAmtazRwUL

11594) -0.7149) Daniel Ives Wedbush, positive move, takes the doomsday scenario off the table... WHAT??? Is $TSLA that close to doomsday by $2B ???

11595) -0.2287) "Diluting the company to pay down debt doesn't sound like a wise move." - Elon "Child-Rapist" Musk.  $TSLA  https://t.co/WRz6SC49Ry

11596) -0.296) I would have preferred that this dilution was announced at or after the Battery &amp; Powertrain Day along with an acceleration in production plans vs. previous guidance. Announcing dilution with no update to previous plans was premature.  $TSLA #NotSellingAShareBefore9836

11597) -0.7648) ANOTHER ELON LIE, ALL LIES!! 2 weeks ago: "It doesn't make sense to raise money because we expect to generate cash despite this growth level," Musk said. $TSLA $TSLAQ   https://t.co/ad8bxRxe6H

11598) -0.3612) 💥 Bulgaria communicates with @Tesla over a potential investment by a US electric car maker in a plant in the country, local media reported, quoting Economy Minister Emil Karanikolov. $Tsla @ValueAnalyst1 @thirdrowtesla @alex_avoigt @AlterViggo    https://t.co/34jH7t8iHS

11599) -0.1868) @markbspiegel So the rapidly growing AR means the leasing companies were/are having trouble leasing the cars? $TSLA $TSLAQ

11600) -0.7359) So now the SEC, who Musk publicly does not respect, has in Dec 19 opened a new formal investigation into $TSLA (and the DOJ asked about those new issues too). While I wouldn’t base any investment decisions on this alone RN, this is not a good development for Musk or the co.  https://t.co/W7UQ4cUrho

11601) -0.3182) Here comes the $tsla loss porn.  https://t.co/ly6QP9wX6z

11602) -0.4019) $tslaq going to lose their minds when Tesla ends up Green today... $tsla

11603) -0.3818) Smart move from $TSLA. Bear case is dead for a while.

11604) -0.7096) Shocker: Fanboi Phil Lebeau doesn't think it is a problem that Musk lied two weeks ago about $TSLA not needing to raise money.

11605) -0.2732) Anyone who has really studied the last few $TSLA offerings knows the stock pops after an initial drop of uninformed panic sellers literally in the same session or within a few days and stays up. @Tesla setting themselves up for the next leg up and a strong future...

11606) -0.1027) Pump and Dump $TSLA Tesla shares fall after company announces $2 billion common stock offering  https://t.co/2yXZg3BAMn

11607) -0.2023) $TSLA offering is diluting ~1.5% and adds to an already growing 6.3B in cash.  Cash now ~$8.3B and debt minus convertibles below that level.  GIGA5 probably in works (Texas?)

11608) -0.4812) . @elonmusk must be REALLY low on cash if he can only put $10M towards this $TSLA raise.

11609) -0.6224) Elon Musk 1/29/2020  "So in light of that, it doesn't make sense to raise money because we expect to generate cash despite this growth level."  2/13/2020  Tesla announces $2 billion common stock offering  Once again Elon lied in public.  $TSLA  https://t.co/5b1ZCzBLtX

11610) -0.7059) Let the fun begin. Who, having been lied to about cash, wants to load up on $TSLA stock @ $700+, only to suffer from massive hit when Q1 deliveries, then losses, are announced, with 2020 EPS estimates suddenly going red? Has Elon borrowed on margin line so he can buy it himself?

11611) -0.481) 🚨🚨🚨  $TSLA IS LOW ON CASH.  AGAIN!  #CYAZ  https://t.co/J9DWshvGJM

11612) -0.3182) 🚨🚨🚨 Critical  Regarding warranty reserve cc:@TESLAcharts  @markbspiegel  PWC isn't completely asleep $tsla  https://t.co/ir5meAl5dl

11613) -0.6714) MAELSTROM!  SHORT ATTACKS! KAMIKAZE SHORTING! NON-STOP PHONE CALLS.  $TSLA  https://t.co/pWZsGKwnnS

11614) -0.1531) DOJ poking around for criminal matters secured.  $TSLA $TSLA  H/T @BloodsportCap  https://t.co/HhiwoUxQMA

11615) -0.4497) "Obviously it was a very different test result than Autoblog, but it brings up an important point. The Tesla doesn’t get the real-world range that the EPA says it will, in fact it scored over 110 miles under its previously est figures,..."  😢 $TSLA $TSLAQ  https://t.co/elOcQ4CIQ4  https://t.co/FDosCg624p

11616) -0.802) Susquehanna owns 6.7%. Other MMs, who knows? $TSLA goes down. A few weeks after filing they report that they've reduced their position massively. The cult blames Mark Spiegel for this. For a $150B company. They blame $TSLAQ. They blame Salil. $150B. Seriously.

11617) -0.6076) $TSLAQ working so hard spreading FUD and shorting $TSLA. The results:     https://t.co/m1AIetY7hg

11618) -0.3182) When you’ve lost Spiegel...   $TSLA  https://t.co/r1XzcB7Gij

11619) -0.8764) 2) The M3 has been a failure in the EU vs the US. The EU has less $$ for Teslas but more choices.   Tesla US sales are in a decline, but we have no true data. EU publishes true monthly sales data.   China is dead. When the EU prints negative growth for $TSLA, it's *Game Over*.

11620) -0.1697) $TSLA Jan deliveries plunged as I expected to ~200 in the Netherlands vs 12.5K in Dec which alone contributed 11% of total deliveries for Q4 &amp; 22% of total Q4 deliveries ex US, per  https://t.co/NXXgseBOQC. Signals big hole in Q120 (FYI, no coronavirus in the Netherlands in Jan).

11621) -0.6075) Hey! 👋 Why did my a couple of my dinner companions tonight try to argue that Volvo is beating @Tesla at autonomy? I have seen nothing that supports that have you? $TSLA

11622) -0.2885) Fuel burning cars should be legally required to reduce their fire risk to be at least as low as Tesla’s.   HUGE difference.  ICE vehicle fires 55 per billion miles   Tesla vehicle fires 5 per billion miles  $TSLA $tslaq  https://t.co/W5OiiD69U9

11623) -0.9217) 🔥🔥🔥🔥  $TSLA  "A child suffered minor injuries after a garage where a Tesla was plugged in caught fire Wed morning. Inside the blackened garage was a Tesla that appeared to be plugged in and charging."   https://t.co/J4RBJcdRIE

11624) -0.6705) Tesla Charging When Fire Breaks Out At Cerritos Garage, Child Suffers Minor Injuries   $TSLA $TSLAQ  https://t.co/9hrsqVmhtV

11625) -0.6705) Tesla Charging When Fire Breaks Out At Cerritos Garage, Child Suffers Minor Injuries   $TSLA $TSLAQ   https://t.co/6XrKWJeKV3

11626) -0.6908) *Voluntary* recalls happen when companies are under DOJ criminal investigation.#ForcedAccountability for using tactics from #TheSociopathicBusinessModel #FraudFormula   Tesla voluntarily recalls 123,000 Model S cars over faulty steering component $TSLA  https://t.co/Dq7IRQRsbh

11627) -0.296) @russ1mitchell No you're not. Here's a cartoon showing how you interpret everything $TSLA:  https://t.co/qKiyu2XBTX

11628) -0.6956) $TSLA $138B worth today  Stock falls 2%, $2.76B  Heard it's simple fix but even it takes $1000/car to fix,  15,000 cars * $1000 = $15M  Drop AH is a nonsense to me but 🤷‍♂️🤷‍♂️🤷‍♂️

11629) -0.4939) Reminder. The last person on earth who should attempt to use the corona virus as a Q1 excuse for the market's rejection of his unreliable garbage-mobiles is this guy. $tsla $tslaq

11630) -0.1531) This 2016 Model X voluntary recall was communicated to affected owners a week ago. Not nearly the big deal the media is making it out to be, especially in light of the parade of ICE recalls we hear about weekly. This nothingburger is moving $tsla stock 3% in extended trading? 🤔  https://t.co/f0cN5WyYHb

11631) -0.296) $TSLA  "Tesla also recently announced cuts of nearly 4% off the cost of its home solar packages."   https://t.co/NEYOswyJgQ

11632) -0.5709) Really tired of this us against them 💩  $TSLAQ if you don’t like the cars, don’t buy them and stay away from the stock. Find a more productive hobby.  $TSLA the other guys clearly feed of you defending the world from their lies. Maybe, starve them and see how long they troll you

11633) -0.4939) First version of PR went out with blaming Pana.  /s  $TSLA $TSLAQ   https://t.co/1p3veF1AGA

11634) -0.6705) I’ve been working on this for a while, and I would like to present a thread on  why it’s weird as hell how obsessed $TSLA fanboys are with @elonmusk.   Let’s begin:  1/729

11635) -0.4466) The cultists have NO IDEA what kind of company $TSLA is.  They don't even know the half of it.  @ShortingIsFun

11636) -0.1027) $TSLA Algo SELL signal in... Support broken... should see several days of selling....

11637) -0.296) $TSLA “NHTSA said there are no known crashes or injuries associated with the issue. The recall covers 14,193 U.S. vehicles and 843 in Canada. Tesla will arrange for the replacement of the mounting bolts and will also replace the steering gear if needed”

11638) -0.5994) 5:00 PM.  Many people left the office and saw my "Dump $TSLA" flyers on their cars.  Started dumping immediately.

11639) -0.2023) This is a small manifestation of the disease that is $tsla manufacturing-  Failure to Pre-production test cars &amp; an iterative manufacturing approach.  Lots of promised volumes to suppliers already baked in to current pricing.  The show most go on.  “Innovative”

11640) -0.5642) @TESLAcharts This is the part of the fraud that I find the most frustrating.  In hindsight, $TSLAQ gets proven right, but it doesn’t matter because the magician moved on to the next trick. $TSLA

11641) -0.6124) $tsla daily. The inner parabola is broken. Volume isn't what it used to be. Upside risks include the large call open interest from $800-$1000, fraudy pumps, the cult. Suspect its down from here. Ugly Q1 numbers will start coming in to help.  https://t.co/X5ORu4gDjA

11642) -0.25) Most companies would file an 8k when lowering guidance. $tsla just phones Fred.

11643) -0.6705) $TSLA  "A former Tesla employee has filed a formal whistleblower complaint with the SEC alleging that Tesla failed to disclose that authorities had discovered an alleged drug trafficking scheme involving an employee at the firm’s “Gigafactory” in Nevada."   https://t.co/yPa8L791x1

11644) -0.0534) The most interesting thing about recent $TSLA run is that it happened while Elon is trying to walk back years of FSD fraud. The "story" was better a year ago. Without high margin software, they sell taxpayer-subsidized hardware at a loss.. one month before they raise capital  https://t.co/1FM5rdGgIN

11645) -0.6739) Ignoring FUD and holding $TSLA     https://t.co/SUnmUcXfnB

11646) -0.9173) Daimler blatantly suggests they will continue to ruin climate and poison public with their products in order to survive financially. Not the smartest strategy one would argue $tsla

11647) -0.2263) "limited visibility due to raindrops did not affect red light detection"  I expect FSD upgrades to accelerate.  $TSLA #NotSellingAShareBefore10000

11648) -0.7841) No squeeze and no additional shorting.   $TSLA shorts are stuck in a situation that's so egregious that they have absolutely no idea _how_ to get out of it.

11649) -0.4019) $TSLA short int is $16.94bn ; 21.87mm shs shorted; 15.38% of float. Shs shorted down -4.04mm shs,-15.6%, over last 30 days as price rose +62% &amp; down -135k shs, -0.6%, last week. Shorts down -$8.55bn in 2020 mark-to-market losses; -$76mm on today's +0.45% move  https://t.co/td9OIkpyyt

11650) -0.3802) $TSLA @ $1180 is going to be nuts!

11651) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 296 (47.8%) Days left: 323 (52.2%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

11652) -0.6523) ...The latest thesis is 1Q results will miss, because $TSLA 4Q delivs were huge, and CoV will cause the Chinese to delay purchases.  1Q vol exp. are low, ICE branded EV launches will stimulate even more TSLA buying, and TSLA has huge earnings flex. What will $TSLAQ think of next?

11653) -0.8225) .. their own EVs, $TSLA would get killed.  ICE brand launches have been non-events because battery range is poor, and ICE brands are inconsistent with EVs. Then it was Y volume will cannibalize the 3.  Dealers confirm what @elonmusk said: Y will outsell all other Teslas combined.

11654) -0.2144) $TSLA - As a PM, I hated when my analyst revised his/her investment thesis on a name, esp. shorts.  But has happened repeatedly on $TSLAQ.  First it was the B/S and the need for more capital.  @elonmusk put that to rest on the conf call.  Then it was when competitors launched....

11655) -0.6486) This madness will have to reverse in the next ~12 months, and each upgrade will cause yet another $TSLAQ short burn 🔥  $TSLA #NotSellingAShareBefore10000

11656) -0.7462) Having a meeting today to discuss/plan the #tesla420 party. This will be an epic celebration of EVs and Mother Nature. In Malibu, (the view). I’m looking at 4/4/20 so block it off if you’re a big time Tesla die hard. More to come... #tesla $tsla  https://t.co/U0MB9ZCDt4

11657) -0.8402) Stop thinking in days. Stop thinking in weeks. Stop thinking in months. Stop thinking in quarters. Stop thinking in years.......  Start thinking in decades.  $TSLA #NotSellingAShareBefore10000

11658) -0.6964) $TSLA gearing up for massive 400 point (minimum) move. minimum targets are $1200, $1400 and max target is $1600. Hard part will be finding reasonably priced contracts.  Not interested in short side until: a) serious neg catalyst b) $850 fails on volume c) big picture trend breaks

11659) -0.8576) 📢 Prepare for the SpaceX IPO. Recent Starlink trial balloon was to whet appetite for the whole deal. Musk needs to diversify liquidity soon; $TSLA remains trapped in Perpetual Rolling Bankruptcy, Boring Co will be fully exposed as worthless by year end, and SpaceX needs cash.

11660) -0.1531) @Mtass7 The problem with channel stuffing is that after a while the channel is, well, stuffed. $tsla  https://t.co/SeFLDElrUd

11661) -0.3612) Might be a few of the reasons why E-Tron outsells SuX in Europe by an order of magnitude. Or two.  $TSLA $TSLAQ

11662) -0.6249) $TSLA   $777.77 we just hit the jackpot guys. Get ready for a pay day tomorrow. 🔥🔥🔥 🚀 🚀🚀 🌚  https://t.co/Dj0gTCTpIW

11663) -0.4019) As I understand, Stanphyl Capital is a tiny fund of only a few mil ($6M?). Apparently the fund is only 5% exposed to $TSLA, which means only about $300k.   What a tiny amount of money for such an obsession from a 'fund'.  Half the $TSLA bulls on twitter I know hold more than that

11664) -0.7052) I think Larry calls me Bonnie... but the most monstrous thing here is that I’m point 27 and not 28.    Love those bears and how they attack Tesla fans. 😂 $TSLA  https://t.co/NRMi3acdQX

11665) -0.6249) "The documents say Huang told his wife that Autopilot had previously veered his SUV toward the same barrier on U.S. 101 near Mountain View where he later crashed. Huang died at a hospital from his injuries." #autocrash #autopilot $TSLA $TSLAQ

11666) -0.8405) WTF @bonnienorman !!! Crossing a crap ton of lines here. PAID shill. $tsla

11667) -0.765) 27/ Most recently, Bonnie has gone into attack mode against a New York State journalist, @DanTelvock, who suggested he would show up the factory &amp; demand a tour on behalf of New York taxpayers. First, an infamous $TSLA cultist attacked:  https://t.co/9S2NmcyIn5

11668) -0.1779) 22/ So, what exactly is Bonnie's relationship to $TSLA? Many, many claims that there's no there there. Such as when Bonnie rushes to Tesla's defense about its shoddy touchscreens, and its half-assed "fix":  https://t.co/gfocJhwXJH

11669) -0.5939) 8/ No, bad as that was, there is worse. I speak of @tripp_martin (Marty Tripp), who relocated his family to Nevada because he believed so strongly &amp; totally in the $TSLA mission.

11670) -0.6956) 7/ ... and fought back, and against all odds, got a court order requiring Musk &amp; $TSLA to produce their evidence, which immediately caused them to drop their lawsuit, slink away, but fire some further defamatory shots as they departed....

11671) -0.2263) $TSLA - 1/yeah, it’s called a fire 🔥 🔥.  Ask @Walmart , they know this feature pretty well.  Tesla Solar Roof could automatically melt snow off your roof  https://t.co/3Lxv7u4dTa via @FredericLambert

11672) -0.2263) @TESLAcharts Only claimed by the employee at $tsla responsible for investigating all of these issues.   Oh wait, he’s admitted to personally participating in illegal wiretapping at his superior’s orders.

11673) -0.6808) BREAKING: Short Attacks crash $TSLA 0.34% in clandestine after hours session while $TSLAQ-captured SEC refuses to investigate culprits.

11674) -0.7626) What I gleaned from this article, was that the owner who was complaining refused to give his name for fear of being SUED OR HARMED by @ElonMusk and @Tesla.   Sad, but he's right. $TSLA.   https://t.co/tzH50KWbRK

11675) -0.6872) Wish Musk would stick to just accounting fraud &amp; not bother with the sensational.  Alas, with links to organized crime confirmed by a second senior $tsla employee, time to re-up this:   https://t.co/tEorqXoNqT

11676) -0.3802) Tesla short-sellers lost $8.4B since January, including $2.4B in first week of February alone🩸🛁 “I got my butt kicked!”—🧸 $TSLA #Tesla @elonmusk  https://t.co/kZ039twfEc

11677) -0.2235) $TSLA at $775 right now.   I'm not complaining :)

11678) -0.2764) The thing that is so difficult to accept about Tesla, even for very experienced, seen-it-all journalists, is that there is absolutely nothing straight about the company. Nothing! If you think you see a straight line, you just haven’t looked long or hard enough. $tslaQ $TSLA

11679) -0.3818) "The billionaire founder has stoked an “us vs. them” war between his retail investor and car-owner fan base and Wall Street."  Is called a cult, isn't it?  $TSLA $TSLAQ  https://t.co/AVVZ87mOBu

11680) -0.2263) Once you join $TSLAQ it seems to be mandatory that you become a straight-up🤥  See thread below for background  $TSLA  https://t.co/kknxmwCCCC

11681) -0.4278) This is the OG $TSLA FUD. 🤘🤘

11682) -0.3182) As one short said, "I got my butt kicked." In five weeks $TSLA bears and short-sellers lost $8.4 billion. @WSJ's @GZuckerman joins Tyler Mathisen on @CNBCTheExchange with a closer look at how @Tesla shorts have fared.  https://t.co/R0x3lt1xCQ

11683) -0.0644) Sure, I hired a PI, who had been convicted of a felony, to dig up dirt on Vern Unsworth, &amp; swatted the hell out of Marty Tripp, but I would never spy on $tsla employees.  Yours truly, Elon   https://t.co/mKWwf032vN

11684) -0.7959) was Musk himself aware of the theft? You betcha!  At the 1:50 mark you can see employees referencing a meeting with @elonmusk the next day to discuss the theft.  $TSLA is a criminal enterprise, says a former participant in said criminal enterprise.   https://t.co/djs8HtWo8o

11685) -0.7506) The same attorney suing Elon Musk in Nevada District Court on behalf of Karl Hansen for Sarbanes-Oxley violations involving $37-150 million of copper theft and worker retaliation is now representing Sean Gouthro in a separate federal lawsuit against $TSLA.  https://t.co/8cdW0UsWWF

11686) -0.6553) Blatant violations of the Sarbanes-Oxley Act.   Does anybody still work at @fbi? How about @SEC_Enforcement?   @CNBC @business @FoxBusiness, care to cover violation of the whistleblower protection act?   Anyone?...  $TSLA $TSLAQ    https://t.co/jAlY8KIjKb

11687) -0.2755) Even the bulls aren't ready for 2020.  $TSLA #NotSellingAShareBefore10000

11688) -0.6259) Elon Musk: "I do not respect Panasonic. I do not respect them."  $TSLA $TSLAQ

11689) -0.6808) Look at this chart, and then think about how ridiculously fraudulent Elon's Nürburgring claims were 4 months ago. $TSLA  https://t.co/gNyCAO36QJ

11690) -0.4468) Zero to 60 mph seems less relevant for this Tesla stuck in snow. What an embarrassment for Elon Musk &amp; $TSLA that an old ICE car passed without a problem. #Whoops!  https://t.co/jxpOjX3h2V

11691) -0.1531) Why is $TSLA the enemy of truly sustainable transportation?

11692) -0.9337) $TSLA $TSLAQ. This NTSB story is getting worse and worse   UPDATE 1-Tesla driver in fatal crash had reported problems before with 'Autopilot' feature  https://t.co/oxVQpZhxw9

11693) -0.128) Look for surging Model 3 demand in 🇩🇪  $TSLA #NotSellingAShareBefore10000  https://t.co/mzUI0SM7OW

11694) -0.128) "Daimler must invest billions in electric cars and autonomous driving, or risk becoming irrelevant" | NYTimes  😔😔  $TSLA  https://t.co/t1LbEn68Q5

11695) -0.5719) If $TSLA drops back to $570 in the next ten days I will wear my grim reaper costume to the @tastytrade Denver 2020 Trading Event.

11696) -0.3489) According to $TSLA bulls: -They are extremely production constrained -Demand exists for millions of cars per year -China is back to full speed production -They are thus running two plants in Q1 vs only one in Q4 -They delivered 112K vehicles in Q4  Ergo, minimum 150K in Q1?

11697) -0.1531) "The results appear to show both cars somehow averaged an estimated 70 MPGe, despite the Tesla supposedly having a combined efficiency rating of 104 MPGe, according to the EPA."  😢 $TSLA $TSLAQ Car And Driver Test Results  https://t.co/YIqz2lIU9W  https://t.co/dGY1fVzWAI

11698) -0.296) Apparently, it's entirely possible that Ms. Crumpton now works for the SEC to oversee Tesla and Tesla at the same time. There are no documents to be found that could show how long this has been the case.  $TSLA $TSLAQ

11699) -0.7184) My biggest worry about $TSLA right now is that Tesla bears are covering, and they are usually wrong about everything.  https://t.co/sGxYrW897I

11700) -0.3736) #FraudWatch day 376  Really #DumDums? You’re pulling the Potemkin village card?   Larry’s all worked up about some new conspiracy based on nothing but pure #DumDum fantasy  And #DumDum trader número uno is running his mouth again.   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/2Ucl2JxV42

11701) -0.3947) Does anyone know how many mini-subs Musk has sent to China so far, to combat the corona virus?  $TSLA $TSLAQ

11702) -0.1695) Tesla isn't mentioned in this article. Could be because it's not a car company, it's a technology company. Or it might be a car company that is such a tiny pimple on the butt of the global auto industry that it's just not worth mentioning. $tslaQ $TSLA   https://t.co/YR0jcrPZmZ

11703) -0.6597) Let this sink in for a moment:  The interior diameter of these "tunnels" is a mere 12 feet.  And with a succession of $TSLA's held within, how can this people-mover be considered anything other than a potential death trap?

11704) -0.4215) $TSLA  Model 3 owner loves the car but comes to the realization that Tesla build quality is terrible.   Realizes Mustang Mach-E is cheaper than Model Y, is actually built by a real car company, and has tech and design on par with the Tesla.   https://t.co/AqQBwhTYrT

11705) -0.7906) $TSLA in its constant battle to control the narrative has decided to go with the short-term "Giga Shanghai is back to work," but will have to eventually explain the low output of this "fully back" factory.  That's a problem for another day and by then it's Texas, Germany, etc.

11706) -0.2158) 2) "OTAs at $TSLA are faulty &amp; need to be regulated", "Level-5 autonomous driving is way out in the future", "US is not falling behind other countries in the AV race, as other countries have stricter rules".   Full report here:   https://t.co/tXOfhUI0T7

11707) -0.7839) 1) I'm sure @CathieDWood knows about this, but Congress is going to review a report by the Advocates for Highway &amp; Auto Safety tomorrow at 10am.   $TSLA is mentioned 22 times &amp; it's all bad. Appendix-B is particularly damning, listing up all Autopilot-related accidents &amp; deaths.  https://t.co/KXbm6mk6mQ

11708) -0.2338) How is it that intelligent people see through Trump so easily but are completely blind to Musk? 🤷‍♂️ $tsla

11709) -0.2755) @ClarkDennisM Chris Harris says, "Teslas are cars made for people who don't like cars". $tsla

11710) -0.5023) Final draft of 🇪🇺 Jan #Tesla registration report (brand totals should be final, M3/SuX ratio could change where indicated).  M3 down 14% but up 15% ex-NL&amp;UK from Oct with 1,426 units. A mixed bag.  SuX down 13% YoY to 603 units.  $TSLA $TSLAQ  https://t.co/QXXmDRxSHq

11711) -0.8519) So far in 2020, that's 29 known lawsuits in 27 business days for $TSLA, not including Attorney General complaints, NLRB filings, CA NMVB complaints, BBB complaints, or mortgage lawsuits tied to SolarCity.

11712) -0.2411) @caetuscap They are option market makers. Not sure how this is news. $TSLA

11713) -0.4588) Pretty low statement in any case...  $TSLA $TSLAQ Elon Musk calls Tesla cofounder worst person he's ever worked with - Business Insider  https://t.co/xB8OgKh9wM

11714) -0.4588) "Tesla has until April 1 of this year to have more than 1,400 employees at the South Buffalo factory, according to a deal with New York State.  If Tesla falls short, it will owe the state a penalty of $41.2 million."  Will it?  $TSLA $TSLAQ  https://t.co/XP8nKD9O9Y

11715) -0.1779) Seriously Google?  $TSLA  https://t.co/m0pr3Jq7dw

11716) -0.5267) Crazy Eddie Memoirs: Media enablers made our fraud far easier. $TSLAQ $TSLA

11717) -0.5267) Oh, wait.  BNEF said volume-weighted "average" is $156/kWh.   Who's lying, Phil?  $TSLA $TSLAQ

11718) -0.3612) I’ve got to admit it, stealing and reselling customer cars to defer service liability and increase revenue does have a certain jazzy improvisational genius to it. Next step is to then sue the customer for nonpayment of the repair bill. $tslaQ $TSLA

11719) -0.9793) 1/ Assertion: the run-up in $TSLA is a tactical victory but a strategic defeat for Elon Musk in his War on Criticism.  (Borrowing from Thucydides -- yep, this is a deep cut -- $TSLAQ's short-sellers are just proximate foes. Criticism itself is the ultimate foe.)

11720) -0.25) Tesla Semi Could Unseat Daimler Freightliner as King of Class 8 Trucks  By the end of this year, Tesla Semi is about to enter the Class 8 truckmaker industry, a industry which generate close to $100B in US alone. @elonmusk   $TSLA #Tesla #Semi #Class8   https://t.co/yLOXZpDfxQ

11721) -0.3164) Forest destruction secured!  $TSLA

11722) -0.743) @Tesla this one seems pretty cut &amp; dry.  Tesla is just a dirtier company than even I can imagine. However bad one can imagine it is, it's worse.  Another $TSLA lawsuit that can be found here, courtesy of @plainsite:   https://t.co/0QTiB2hmS6

11723) -0.6705) @JCOviedo6 @Tesla It is.  All the evidence is there.  This seems 100% accurate representation.  And I have no idea.  Buyer did give Tesla power of attorney to complete registration etc.  $tsla obviously abused it

11724) -0.4912) $TSLA is a malignant actor, today's anecdote:  1) customer buys car  2) seat belt doesn't function, customer takes to service, gets loaner  3)Tesla sells same vehicle twice! @tesla sells vehicle at wholesale, demands loaner back, threatens to call police!  Duong vs. Tesla  https://t.co/3E282gdmIS

11725) -0.34) $TSLA is just getting started. Short 🔥 is yet to come.     https://t.co/js23HU3I70

11726) -0.6575) $TSLA investors are perhaps starting to realize that although Elon Musk has four factories with the Tesla logo on them, two produce virtually nothing right now. One of the Nothing Factories requires interest payments; the other is the center of a taxpayer subsidy scandal.

11727) -0.4019) $TSLA short int is $16.93bn ; 22.63mm shs shorted; 15.91% of float. Shs shorted down -3.29mm shs,-12.7%, over last 30 days as price rose +56% &amp; down -1.76mm shs, -7.2%, last week. Shorts down -$8.50bn in 2020 mark-to-market losses; -$293mm on today's +1.73% move  https://t.co/cSC35LIyOq

11728) -0.4404) #Tesla will be taken over. It's a matter of time. Someone will be forced into it. $TSLA  https://t.co/P7p1QKVM8x

11729) -0.7184) This news, which we knew was going to come at some point, is material to long-term investors because it begs the question:  With inferior offerings from legacy automakers failing, where will the existing battery cell production capacity all go?  $TSLA #NotSellingAShareBefore10000  https://t.co/VWCOxyRm6g

11730) -0.4003) Perhaps 100 such roofs total in the US. All installed at a loss. All  on very simple roof geometries. All requiring far more time than Musk forecast. And yet Fred continues to pump this fraud. And, make no mistake, fraud it is. $tsla $tslaq

11731) -0.4173) @orthereaboot How much validity do you give the Texas lawsuit alleging double sets of books at $TSLA?  So many lawsuits alleging chicanery

11732) -0.3167) @PollsTesla $tsla won’t sell a car that hasn’t already been paid- Tesla more aggressive about it than any other OEM. Yet they have lingering, disproportionately high A/R balance where a significant % of their business isn’t from the normal practice. There’s no credible explanation from $tsla

11733) -0.3818) Tesla's battle lines are drawn with retail investors on one side and Wall St on another $TSLA  https://t.co/TXyK499pjf

11734) -0.5204) $TSLA - How many middle class families can afford a $50K car that crashes into Fire Trucks on Autopilot? Or Suddenly accelerates into bakeries or salons?   Or takes forever to order a windshield wiper?  Or leaks when going through a car wash?

11735) -0.4995) Why is $tsla back below $800 now? RIGGED

11736) -0.481) $TSLAQ $TSLA  Here we go again with this nonsense 🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️   https://t.co/VJ4c3wnFAH

11737) -0.2732) Amid Tesla's stock surge, the Street has never been this bearish on $TSLA  "Sell" ratings are at an all-time high ... "buy" ratings are at an all-time low.  Here's what analysts are saying 👉 https://t.co/4dobLAYSUo #Tesla #ElonMusk  https://t.co/BgVmANRpdX

11738) -0.4404) Na, @cnbc would rather run the story of a meaningless Forbes “contributor” baselessly pumping $tsla stock

11739) -0.9552) 🔥🔥🔥🔥🔥🔥  $TSLA  "Police are investigating a fiery crash on Lincoln Road involving a Tesla that apparently struck a tree before igniting."   https://t.co/GScBlaEtUv

11740) -0.3818) Completely lie,   instead of 40 busses there was 20, mostly empty....   so have dancing polka in this big empty hall....  $TSLAq $tsla     btw cleantechnica is running by a Russian oligarch  known for stock manipulator

11741) -0.8949) $TSLAQ $TSLA #SpaceX Teslas are not selling well, # of lawsuits are skyrocketing and SpaceX has not been winning any new commercial satellite launch bids. No commercial launches this year so far, worst YTD since 2013.   Elon's empire is starting to unravel from both ends.

11742) -0.6996) #FraudWatch day 375  Ruh roh, Elon tweeted about the solar roof, and #BABYcharts is compelled to run his mouth because he failed at coming up with a commercially viable clean energy product. Sad! 😢   Also, @VGrinshpun has the goods  https://t.co/zyisqpyjCr  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/srQsL7QSs9

11743) -0.5106) $TSLA ASP has consistently dropped since 2013, from highs of $95k to $54k today, yet gross margin has fallen less, from 30% to 20%, and has now stabilized. This is only possible due to 1) manufacturing improvements, 2) continual battery cost decline, 3) fixed cost absorption.  https://t.co/tJH8aHrfkf

11744) -0.5423) 🚨🚨🚨  Flooding the feed to cover up bad news.   The SEO-pedo is at it again.  $TSLA

11745) -0.7727) 4/ It's flooding the feed to hide damning information! #ElonMusk doesn't want you to see a new lawsuit: Austin v. Tesla  A new whistleblower complaint and the plaintiff is named Austin.   https://t.co/euGHcBl5ok $TSLAQ $TSLA

11746) -0.5423) $TSLA - they will have a hard time finishing up the WIP they have on the line.  Quality of the vehicles built this week will be terrible.  As we know Tesla did not cross train any of the employees.

11747) -0.4215) Now do miles regained per minute. Charging speed to 80% is meaningless, literally. The only metric that matters is: miles regained per unit of time. $TSLA

11748) -0.264) How many, Elon? What was that rate you promised by Y-E 2019? In what place(s) is this product manufactured? Are you achieving the forecast 8-hour installation time? If not, how long is it taking? What does each install cost? Is $tsla making or losing money on each install?

11749) -0.69) Oh, the irony! Sudden Unintended Acceleration case involving a $TSLA Model 3 in the NL was leased to the victim of the accident by a BMW-owned leasing company.  $TSLAQ   https://t.co/SVxIR45bwK  https://t.co/LIHPt3S4o9

11750) -0.802) Shorting $TSLA is even worse than dumping nuclear waste directly into lakes and rivers.

11751) -0.6249) Shorting $TSLA is the worst thing you can do for the environment

11752) -0.1531) Others here have noted the home's shady locale &amp; the jarring irregularities in $tsla roof tile application.  Three things strike me: 1/ unusually simple roof geometry (5 planes, no dormers or hips); 2/ tiles are vastly different from what was promised; 3/ it's truly ugly fugly.

11753) -0.323) Why not tell the truth? Because they think it’s $35k? $tslaq $tsla #Tesla  https://t.co/cXKf7617ui

11754) -0.4019) $TSLA  "The specter of unintended vehicle acceleration refuses to go away for Tesla. Elon Musk’s EV manufacturer is now facing what Dutch authorities have called a “concrete case” against a Model 3 that injured a woman in The Hague."   https://t.co/SX8iLSpiVE

11755) -0.7679) Even the endlessly patient @ghost_scot occasionally loses his temper at the learned helplessness of some $tsla fanatics.

11756) -0.7269) Investors Bet Against Tesla—And Lost $8.4 Billion in Five Weeks | WSJ  Ouch 😬😬  $TSLA  https://t.co/PgzQED7hnY

11757) -0.4497) But @russ1mitchell insists Tesla loses money on every car.  $TSLA $TSLAQ

11758) -0.058) So, is $TSLAQ going to be delighted they can continue the subsidy FUD, or enraged that the German OEM juggernaut competitor thesis is not playing out as they'd hoped? $TSLA @ValueAnalyst1   https://t.co/WHuNZ0HBCP

11759) -0.6873) $TSLAQ #DumDums: “Tesla has absolutely no technological advantage whatsoever! They can’t even build cars! Legacy OEMs are coming and they’re bringing their production and supply chain muscles 💪!! $TSLA IS A ZERO!!!!!!”  REALITY:

11760) -0.3802) As $TSLA skyrocketed last week a lot of people were confused. “What’s going on?”   It now seems obvious.  If Elon and Tesla really have a “mind blowing” battery breakthrough, when they’re already so far ahead...  “blows my mind and I already know it!”-EM   https://t.co/qhWLo3Dq24

11761) -0.5574) Australia 🇦🇺 plans to ban on new fossil fuel vehicles by 2035  The EV revolution is happening all around the world now🌍   $TSLA #Tesla #Australia   https://t.co/fs9HDsgaV3

11762) -0.3597) If @elonmusk would ever want a yacht he will face a very difficult question. $tsla $tslaq

11763) -0.128) 7) So the CCP's message to readers is quite simple:   "$TSLA's resumption of production on Monday doesn't mean they'll actually be able to make cars."   "Sell the shares as $TSLA's stock price is in a bubble &amp; others might panic-sell when they see how much losses will be at GF3."  https://t.co/xPcLe4IRXw

11764) -0.9603) Model 3 &amp; Model Y was Germany's "Oh, SHIT" moment.  Cybertruk was Detroit's "Oh, SHIT" moment.  Semi was the truck industry's "Oh, SHIT" moment.  $TSLA's unannounced MiC compact will be Japan's "Oh, SHIT" moment.

11765) -0.5423) The Chinese gov’t, &amp; $tsla puppeteer (redundant), has thus decreed:   CoronaVirus will materially harm both @tesla supply chain &amp; stock price.

11766) -0.1752) This is really a strange article:  "To a certain extent, the development of the epidemic will have a major impact on Tesla, which could be reflected not only in the uncertainty of its delivery, but also in its market valuation."  $TSLA $TSLAQ

11767) -0.5972) "Hurry down to get your new Tesla Model 3 Coronavirus edition! It's a sick ride!" $TSLA $TSLAQ

11768) -0.6124) For years, while $TSLA $TSLAQ was losing $$$ billions (it still is btw) fans have been ruthlessly bashing the profitable legacy competition regardless of brand.  But now, as Porsche's Taycan is running circles around MS, comparisons have become "unfair".  Got it.

11769) -0.5975) Does $TSLA add in the extra electricity consumption for AC cooling during charging when calculating your "gas savings"? Nope, it ignores that, and it ignores phantom charging loss, cold weather range loss, higher insurance costs, etc.

11770) -0.8673) Tesla’s rise in price should not be that surprising. The stock was in the $350 range for years and finally broke out. On top of a huge failed short attack last year. The stock should never have been at $200. It was FUD $tsla

11771) -0.8977) . @MayorByronBrown  can you please pass this over to the proper authorities?  These kind of criminal threats are unacceptable.  That Tweet could also blackmail as he implies negative press  if his DEMANDS for access are not met.  $TSLA @Tesla  @elonmusk

11772) -0.1531) Jaguar halts Ipace production over battery supply shortages from LG Chem $tsla    https://t.co/SuNiYm7hLc

11773) -0.5867) @DanTelvock For your intended visit to #Tesla #GF2 in Buffalo what exactly do you mean by "we own the damn building"? As a $TSLA stock owner I also partly own the building still I don't feel entitled to a factory tour when it suits me. BTW GF2 is really cranking out supercharger stalls now!

11774) -0.453) $TSLA - if true, this is a Must Read!!!   @elonmusk Your cars are such pieces of💩 shit that even the service tech got locked inside!!!

11775) -0.264) #FraudWatch day 374  Why don’t you give Dan your real email, Larry? Why still hide behind the facade? 🤔   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/I5y7XzRHbe

11776) -0.9105) Get yourself a drink, then listen to a harrowing, infuriating account of epic customer abuse from what is almost certainly the worst public company of all time, bereft of integrity, competence and common sense, loaded with ego and contempt. $tslaQ $TSLA   https://t.co/cNDPsMGJom

11777) -0.743) Tesla Can Get Support for German Factory | Economy Minister   💥💥💥💥  $TSLA  https://t.co/2BeRoi5RSy

11778) -0.5574) New Interview:  #Tesla's 2020 Outlook, Trading Strategies, $TSLA Options, Model Y, and more w/ Matt Joyce @matty_mogul &amp; Rob Maurer @teslapodcast   Premiers at 6pm PST, 9pm EST and I'll be there to live chat during the release.   https://t.co/FkfcpiKQxa  https://t.co/07KMS8JMbL

11779) -0.5994) The **only** edge $TSLA has in batteries is a unique willingness to unleash a mortally dangerous and defective product upon the public. For the mission and whatnot.  https://t.co/xukrgFoR5l

11780) -0.5837) Here you go, @MayorByronBrown, third of four. Tesla has screwed New York State in general and the City of Buffalo in particular. Don't be a sycophantic shill! Stand up for the citizens of your city! $tsla

11781) -0.802) 2) Production hell at GF3 has now been pushed out to Q2 &amp; so too have the "teething pains" for the Model Y launch.   While $TSLA may be ready to produce, they will get hit by a lack of electronic components from Chinese suppliers, whose factories are locked down indefinitely.

11782) -0.8176) 1) $TSLA's stock price is acting like the coronavirus is a one-off &amp; "no big deal". Q1'20 was expected to see losses, but the road to $TSLA's 500K target for 2020 will take off from Q2.   I don't see it that way. Q1 was supposed to be "production hell" for GF3 &amp; the Model Y ramp.

11783) -0.6858) If $TSLA's Jan'20 sales in EU were only 1K, this is devastatingly bad.   1K may be 30% YoY (no SR+ last year), but it's 54% lower than Oct'19 &amp; 77% below Jul'19 (w/ SR+ sales).  Rivals pushing their new EVs hard to maintain sales of their ICE models.   https://t.co/MFtj5cWzor

11784) -0.3182) I am at a loss for words. $tsla

11785) -0.6124) Me the first time I experienced ludicrous mode in a Tesla.   Also me the second time I experienced ludicrous mode.   $tsla    https://t.co/8O0w2iBNMj

11786) -0.3662) Curious why my ‘like’ of this tweet always gets removed @TwitterSupport @Twitter ? ?   I always ‘re-like’, then find my re-like has been removed as well ... wtf?!!  $TSLAQ $TSLA

11787) -0.923) given this week's $TSLA insanity, reminded of this chart from our @CoinSharesCo macro outlook series 👇  irrational exuberance is back, baby! when rates are low (or negative) investors move further out on the risk spectrum for yield   https://t.co/Na5XcZJ9rL  https://t.co/yrHFyhQ816

11788) -0.3818) "Then they asked whether the Taycan charges as fast (in km per hour) as promised.  And the answer, again, was no – it actually charges faster."  To boldly go where no lemming has gone before...   $TSLA $TSLAQ  https://t.co/OB3bmShwrP

11789) -0.453) Tesla Europe Slashes Prices!  Model S for Model 3 Price!  Don’t Buy Now!  PricesWill Continue to Crater! $tsla $tslaq #Tesla  https://t.co/uFELm5wfaZ

11790) -0.7579) Crazy Eddie Memoirs: Investors who bought our stock for as little $8 at the IPO and sold their stock as it peaked at $80 kept their profits and avoided painful losses all the way down to zero. $TSLAQ $TSLA

11791) -0.4765) Fords lack of leadership has been so obvious for so long, no surprise there. Tesla valuation vs Ford tells about leadership. A genius versus ex-furniture salesman. $tsla

11792) -0.1027) Let’s say you have 3% of your portfolio in Tesla at $250. Now it’s $950. Now it’s 8% of your portfolio, what do you do. Trim it a little. That’s portfolio management. Pay attention robinhood traders. $tsla

11793) -0.2484) There seems to be a new wave of "this #coronavirus is really no big deal" tweets and blog posts. In the face of the CCP response, this defies even the most primitive logic. Live carefully. $tslaQ $TSLA  https://t.co/hfUEWRJ2B7

11794) -0.296) City of Harbin starts to regulate frequency of residents leaving home. Each permit allows max one person per household per day to go outside.  #coronavirus   Obviously no one is rush to buy car when they can’t go anywhere.  $tsla  https://t.co/mfawIr9Xsz

11795) -0.5719) @anthony_seaton No, $tsla's Q1 will be dismal in the US, Europe, and China. Musk will offer China as the excuse. Some might believe it until they see the Q2 results.

11796) -0.1926) Elon has always been a high-risk gambler. He is now joined at the casino table by the Shanghai politicians. What was promised to whom? Who has compromising info on whom? Anyway, safety be damned, it's back to work. Or, at least, fake it. $tsla $tslaq

11797) -0.8979) Note:  I am not predicting whether there will be a market crash any time soon.  I am predicting there will be a $TSLA crash.  💥 💥 💥

11798) -0.4497) $TSLA  "Throughout this journey, auto wipers failed to work. In heavy rain, it might decide to wipe at the lowest setting, most of the time the wipers just sat there. I rebooted the car a couple of times, but that did not make a difference."   https://t.co/IlTYj117rV

11799) -0.3818) @elonmusk Exactly why Tesla lied to @AGBecerra @XavierBecerra 👇  $TSLA $TSLAQ #TeslaSolar   https://t.co/WnXYqitbd6

11800) -0.8648) Exactly why Tesla lies, covers up &amp; lies some more, it’s Elon’s way of life!  Today is Day 359👈 of @Tesla Negligence + Major Damages + more! !  $TSLA $TSLAQ #Tesla #TeslaSolarIssues #TeslaSolar

11801) -0.1513) @john__rosevear @BharatDharma @KyleRohde this is an important point.  porsche's numbers were the result of EPA tests (that for whatever reason look to have read quite low)  $TSLA's figures were self reported.  the EPA never tested them.

11802) -0.8442) Supply chain problems aside, imagine building cars in your labor-intensive factory when some of your line workers are still stuck in the provinces. Soon, Chinese $tsla buyers will try to avoid being stuck with a "corona" Model 3 much as ROW buyers tried to avoid a "tent-built" 3.

11803) -0.5859) #CoronaOutbreak worrying me, Chinese gov hiding true death toll &amp; infected. Might become global #pandemic which would impact all markets. Sold some $TSLA to bring my #Cash position from -10% to 0%, #Tesla &amp; #Crypto each 50% now. Great channel:  https://t.co/wdpxLBhMbz #CoronaVirus

11804) -0.5719) For those who haven't seen it yet, the @realvision documentary on Tesla featuring  @GerberKawasaki cruising fast &amp; furious style @CathieDWood @CGrantWSJ @TESLAcharts @markbspiegel @lopezlinette @montana_skeptic and @Paul91701736  $TSLA $TSLAQ   https://t.co/kvsTPJjZBB

11805) -0.4939) at about 2:30, there is mention of China's efforts to steal electric car technology, and the video camera pans to couple of future-robotaxis  $tsla $tslaq

11806) -0.3384) #FraudWatch day 373  #BABYcharts keeps trying to push a #DumDum narrative that completely ignores seasonality in the auto industry. I bet a signed dollar Gordy Left Jobless regurgitates this idiocy.   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/lxv6gcNlhn

11807) -0.5612) This car absolutely DESTROYS anything beta boy @elonmusk has created. Any $TSLA bull who says otherwise only says so because they’re head is uo Elon’s rear end. $TSLAQ

11808) -0.5974) Is Elon willing to go visit the shanghai factory on Monday? If not it’s kind of messed up that he is putting his workers in danger like this! $tsla $tslaq

11809) -0.0516) Q1 is the slowest season for all auto related industry. As a $TSLA LT investor, I personally won’t pay too much attention to 1 quarter but the full year result.

11810) -0.4019) $TSLA delivered 112,000 cars in Q4 from one factory. They are sold out worldwide. They now have two factories. Anything less than 150,000 deliveries in Q1 would be shocking. $TSLAQ

11811) -0.1531) How insecure does one have to be to share such an interaction on social media? $TSLA $TSLAQ  https://t.co/wJQLjTz5N5

11812) -0.7964) Here are some of the many cars faster on a drag strip than the model S 2020 RAVEN ludicrous performance, by the 5th consecutive run. $tsla  f150 limited somo kids beaten up 2006 gti honda odyssey van  https://t.co/kasWqzPhzX

11813) -0.6486) Ford 2019 Earnings Abysmal, Hackett Could Be on His Way Out 🚗⛽️💨 “Nobody at Ford should ever again criticize #Tesla for its manufacturing problems. For a company that’s been building vehicles for over 100 yrs, the Explorer launch was inexcusable.”  https://t.co/5TD7v1qrZs $TSLA  https://t.co/EAIfT9EjfY

11814) -0.6407) @GerberKawasaki By the way, it would appear @GerberKawasaki is willing to get on @ValueAnalyst1's block list. No true $tsla cultist ever sells. Ever.

11815) -0.3415) Very interesting post. $TSLA bought back this lemming's lemon and later refused to sell him a new car for "Disparaging us publicly".  #TeslaQualityIssues  #TeslaServiceIssues  @montana_skeptic

11816) -0.6876) I have a very difficult time with this argument. The final product is the result of what the company achieves and ultimate IS the reflection of the company. All else is click bait noise.   $TSLA 🥴🤡 $TSLAQ 🤡🥴

11817) -0.1531) RBC reiterates bearish view on $TSLA, but warns not to short. What kind of logic is that? 🤷‍♂️   https://t.co/KUYsOr8vAS

11818) -0.6808) Elon should hire Joe Hinrichs... and then get the hell out of his way. $TSLA

11819) -0.2055) Greg!  I didn't know an article was written about your complaining about driving on Autopilot when you were really complaining about your very own driving ability - because you weren't on Autopilot. @gwestr   $TSLA $TSLAQ     You silly goose!   https://t.co/ML1yMWR3Vb

11820) -0.7672) Tesla BANNED the Tesla owner who showed others how to force Tesla to replace their defective yellow screens through arbitration and whose lemon Model was bought back by Tesla from purchasing any more vehicles from Tesla. #TeslaServiceIssues $tsla $tslaq  https://t.co/MK9vrRsFj2

11821) -0.2732) This is interesting.  Whether or not Tesla uses Lathrop for manufacturing vehicles, those thinking it will take 10 yrs to get to 20M units per year are in for a shock, as I suspect Gigafactory announcements will accelerate in the coming months.  $TSLA #NotSellingAShareBefore10000

11822) -0.9081) Poor #DumDum @Bethanymac12 is half right here - the ridiculousness of the #Tesla #Cybertruck *is* part of the strategy  Ridiculously long range Ridiculously powerful Ridiculously high ground clearance Ridiculously heavy payload Ridiculously inexpensive to manufacture $TSLA $TSLAQ

11823) -0.6486) $TSLA inside day. Premium killer.

11824) -0.4019) $TSLA short int is $17.62bn ; 23.53mm shs shorted; 16.55% of float. Shs shorted down -2.04mm shs,-8.0%, over last 30 days as price rose +60% &amp; down -735k shs,-3.0%, last week. Shorts down -$8.37bn in 2020 mark-to-market losses; -$142mm on today's +0.81% move  https://t.co/AQXFPNlP19

11825) -0.5093) Broke: “ $TSLA loses $800 million in 2019, marking the 17th consecutive year of losses for the Company.”  Woke: @ICannot_Enough “WOW, incredible, 2019 GAAP income up $100 million from 2018. Amazing Elon!”  This is what we call “Delusional psychosis.”  $TSLAQ

11826) -0.765) @ResidentSponge @bethanymac12 @elonmusk @MunroAssociates no Munro has no idea what he's talking about esp. how cars/trucks are mad, right @bethanymac12? $TSLA 😉

11827) -0.7339) I block because I don't wanna climb Mount Everest with people who scream "LOOK DOWN! LOOK DOWN!" every five seconds.  $TSLA #NotSellingAShareBefore10000

11828) -0.6447) @bethanymac12 @elonmusk Actually, people like you lower the bar. Spreading falsehoods &amp; FUD about Tesla, causing low expectations for company’s prospects. Then, when Tesla simply meets own guidance, stock soars because simply hitting their goals blows FUD narrative out of water. $tsla and not $tslaq.

11829) -0.4871) 7/ Also, is there a lawyer who can advise on two closely-related questions? First, do I have any recourse against $TSLA for inducing me to buy the car by throwing in Autopilot &amp; FSD features, but with no notice it would remove those features on resale?

11830) -0.5012) 5/  Some years later, I decide to sell my car, expecting the Autopilot &amp; FSD will make it more valuable to the buyer. But after selling, I learn $TSLA stripped the car's Autopilot &amp; FSD capabilities. Worse, my buyer is quite unhappy about that. (I hope he doesn't sue me.)

11831) -0.1005) @bethanymac12 @elonmusk You might want to check your biases/pre-conceptions since there are likely over 400,000 Cybertruck reservations already👇  Pretty obvious Tesla has another hit on its hands -- so sad for your friend Jim Chanos😢  $TSLA $TSLAQ   https://t.co/qKlXoEzS1C

11832) -0.4767) Last year, $TSLA filed 10-k on Feb 19.  I can’t wait to read what they say about coronavirus and forward projections.  The longer they wait to file, the worse things will get in China supply chain and GF3.  Subsequent event me bro.

11833) -0.2755) If you don't like the Tesla price wait two seconds.  It will change.  $TSLA

11834) -0.4019) Just realized the $TSLA crowd read this to mean I'm against having to hold the button down.  The problem isn't the button.

11835) -0.5267) Sell your Tesla stock if you want but each time you do, a puppy cries $TSLA  https://t.co/opWRw88CPN

11836) -0.4404) The Tesla FOMO trade. Tesla's surge inspires fans to buy, skeptics to dig in, drives fear of missing out. $tsla   https://t.co/Dz6N0ufley

11837) -0.9449) Update $tsla $tslaq Norway🇳🇴  Demand: The delivery spreadsheet is dead, no Q1 deliv dates. Very little forum activity  Supply: Glovis Cosmos in Biscay Bay. Cars to NO ~10 days  Competition: Seeing a lot of the new LR (500km) Kia Soul. 200 cars in NO inventory. No wait.  @fly4dat

11838) -0.3182) "What competition?" deutsche Ausgabe, vol Jan'20.  Luxury segment is booming, thanks to E-Tron (sold ~same in Jan as in whole Q4), but Taycan outsold SuX combined, too (and EQC both S and X separately).  M3 grew by 16% over Oct, the same as the market.  $TSLA $TSLAQ  https://t.co/8ns2gvOHH2

11839) -0.5423) Is the #coronavirus a bigger problem for $TSLA than its "management" is letting on? Let's just say Tesla is as competent, honest, &amp; transparent as the Chinese government. Live by cheap Chinese parts &amp; labor; die by cheap Chinese parts &amp; labor. Thread on supply chain disruption.

11840) -0.624) I somehow missed this. Did the SEC really restrict shorting $TSLA yesterday?

11841) -0.3182) $TSLA - 1/What @elonmusk and @ZKirkhorn  don’t know about the #corononavirus and it’s potential impact to their operation in Shanghai and Fremont.  Tesla to delay delivery of some Model 3s made in its Shanghai factory - Global Times  https://t.co/fLcZwhmhUA

11842) -0.1779) @Tesla @ARKInvest @elonmusk Meanwhile...  "Tesla has invented new aluminum alloys that can maintain high yield strength and high conductivity while still being used for die casting electric car parts according to a new patent filing."  $TSLA #NotSellingAShareBefore10000   https://t.co/Pz5aDQ5CWc

11843) -0.3818) 🧔🏻: $TSLA went up too fast sell your stock. Buy back lower   🐶: it’s hard to time the market. I just buy and hold and ride out the fluctuations.   🧔🏻: don’t tell people what to do.  https://t.co/pjG7Z2UY6P

11844) -0.1796) I just found out that the "Tesla Model S,3,X owners worldwide with paint issues" group on FB is public. I highly recommend taking a look at the horrible paint jobs and stories there for anyone considering buying a Tesla. $TSLA $TSLAQ  #TeslaPaintIssues   https://t.co/zY15RP7xQd

11845) -0.6633) The FUD is coming from INSIDE the cult 🤭😱  $TSLA  https://t.co/7VbWn0Lw39

11846) -0.7488) @BLKMDL3 @thirdrowtesla I feel your pain! I bought my X thinking there was no maintenance &amp; not even 3 years later, BOOM!! ⬇️⚠️ #MoneyPit $TSLA  https://t.co/xxe71z2Xv4

11847) -0.5859) Make your own investment decisions. Just know that if you sell $TSLA, you will be blocked by some accounts and lose your seat for the Mars trip.  https://t.co/4WxfR8wZ99

11848) -0.6633) These pups have taken an oath to fight $TSLA FUD, both foreign and domestic.  https://t.co/ok7JVXyfnC

11849) -0.8402) #FraudWatch day 372  A #DumDum trifecta today. A proclamation from the #TSLAQbagholder2020 👑, #BABYCharts temper tantrum, and a #DumDum who’s clueless about the auto industry. Tesla ain’t no small fry. They are agile like no other  $TSLA 🥴🤡 $TSLAQ 🤡🥴   https://t.co/rgLhQTkYNB  https://t.co/U9XWrNeJu8

11850) -0.2885) Fuel burning cars should be legally required to reduce their fire risk to be at least as low as Tesla’s.   HUGE difference.  ICE vehicle fires 55 per billion miles   Tesla vehicle fires 5 per billion miles  $TSLA $tslaq  https://t.co/W5OiiD69U9

11851) -0.0516) Although most of this will likely be wrong, it's still useful to determine a general ballpark stock valuation estimate given what we believe today rather than shooting from the hip. I'd need to see $TSLA move substantially past this $1275/sh in the very short run to sell. 3/3

11852) -0.6362) Some Tesla fans will sell based on this article from a trusted source. But they may be wrong. The stock may dip and then shoot up, now they can’t buy back in. I don’t know and neither does Teslarati.  When has $TSLA reacted as predicted? Sure! Will there be? Don’t know!

11853) -0.7096) Presented without comment...  "Driver involved in airborne Tesla crash 'sorry for the stupidity'"  $TSLA $TSLAQ   https://t.co/7ZR1EaWk2o

11854) -0.8885) The other thing no one is talking about is supplier distress.  $TSLA may be forced to extend credit/bail out smaller suppliers that would otherwise go bankrupt.  We've seen this several times in the industry and it can be very expensive.

11855) -0.4019) Increasing complaints about $TSLA taking months to fix its poorly-built cars; customers not being able to get through to service centers on the phone. Wonder why?  $TSLAQ  https://t.co/x03IMB3IrY

11856) -0.5983) Rob Maurer @TeslaPodcast and I are podcasting tomorrow! Got any @Tesla questions or topics should we discuss? $TSLA 🔋🚀💸📈

11857) -0.7424) $tsla daily. Still has not broken parabolic support. I'm leaning short because of Wednesday's crash and there is not much room in the parabola, but it's very dangerous  https://t.co/c6ITANq4Fh

11858) -0.128) Here is why the short selling restriction for $tsla wasn't triggered on Tuesday, Feb 5 in the last minutes of the trading session. The restriction kicks in if a stock drops more than 10% but whoever or whatever caused this made sure that they stopped at around  -8.55%.  https://t.co/5YeoQiKv42

11859) -0.8151) Will buy a shitload of $Tsla puts on this complacency leg.  Hurry up and pump this shit fools.  $860-900

11860) -0.8227) $tsla blamed the driver for the accident publicly, while its own data 100% corroborated his story.  @tesla, not safe, or sound, at any speed.

11861) -0.5255) What’s the incremental gross margin when you sell the same product a 2nd time?  Bullish!  $TSLA

11862) -0.2551) When $tsla conquers German auto market, it is almost as critical as China market

11863) -0.347) Here is my take on $tsla.  With positive catalysts: - Virus plateau / GF3 factory re-open - Short covering pressure - Battery day, Modal Y, etc. It will consolidate in a range before going up again.  I'll BTD as always.  https://t.co/k6iLRMCqpq

11864) -0.3612) The year is 2099  -Tesla is at $420,000 per share  -Elon Musk is 128 years old and lives in Mars  -Teslaq is still finding evidence that $tsla is a scam and it’s going to Zero

11865) -0.3818) Tesla ( $TSLA ) Short Selling Temporarily Restricted by SEC   https://t.co/tNnJvo1UBA

11866) -0.058) I've got this odd feeling we see $TSLA do something we've never seen before and maybe this week was just a warm up.

11867) -0.6249) Gene Munster @munster_gene of Loop venture finally sees the coming disaster that is Q1 for $TSLAQ $TSLA. Seems bulls are now focusing on Q1 again. @TESLAcharts   https://t.co/9YbrhYH1jb

11868) -0.5709) My tweets are going to get extremely boring for day-traders.  You've been warned.  $TSLA #NotSellingAShareBefore10000

11869) -0.296) There won't be a Starlink IPO or even an S-1 filing. This IPO talk is intended to distract from the article published in The Atlantic this morning, which basically said that Starlink satellites are space trash. $TSLA #SpaceX

11870) -0.128) $TSLA preparing for C rally to 908 IMO, should see 5 up from here. Demand at 749/750.  https://t.co/tAhLtsAey4

11871) -0.4019) @NorthmanTrader $TSLA Updated Feb 5th: Days from $300 to $400: 976 Days from $400 to $500: 25 Days from $500 to $600: 18 Days from $600 to $700: 4 F$ck $800 Days from $700 to $900: 1 F$ck $800 Days from $900 to $700: 1 #tesla #greed #markettop  https://t.co/434u8obee0

11872) -0.722) Remember one thing:  $TSLAQ SHORTS can have their one day / week / month victories, but these fools have been long-term losers.👎  $TSLA LONGS will continue to be long-term winners. 👍  Be my guest and short @Tesla &amp; @elonmusk if you dare.. you will get RUN OVER AGAIN!  #Tesla

11873) -0.0516) Yikes. Leave short selling to the pros.  $TSLA    https://t.co/n7lIy9gbDo  https://t.co/JK7jhM8MkI

11874) -0.2263) ASPs 4q 2019 was the first q since the intro of the m3 that  $TSLA showed a sequential increase in ASPs.    Could be.. FSD take rate (auto summon rocks)  More def rev rec Price hikes  Some / all of the above? Maybe, but there is one which would be quintessential $TSLA  3/6

11875) -0.0885) Nostradamus' not so well known Quatrain 420 says...  A dancing fool gloats in the East, his wealth shall multiply But he booked one time revenue gains and didn't say until he had to in the 10K.  I know, bizarre, how could he have known what a 10k is? $TSLA,  1/6

11876) -0.5267) Attention #OOTT crude oil traders: Stand by for @aeberman12 on tonight's @MacroVoices podcast. We'll look at the oil market, comparative inventory, and evaluate both sides of the #Coronavirus story. Also @kevinmuir joins postgame for extended $TSLA coverage. Airs 8pm ET. Pls RT

11877) -0.4019) A sane view on an insane situation. $TSLA  https://t.co/NUDjus8SaR

11878) -0.2732) We are right on the 38.2% retrace of the high to this morning low and getting close to the week/month to date VWAP in $TSLA  https://t.co/baZYyYEytO

11879) -0.34) Warning: not investment advice, and I'm not into technical analysis.  Draw your own conclusions.  $TSLA  https://t.co/1bxTTF6LhV

11880) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 290 (46.8%) Days left: 329 (53.2%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

11881) -0.8432) Somebody somewhere made their first stock investment in $TSLA at $970  They immediately lost a chunk of their money  They sold at $700  This traumatic experience is why they’ll probably never buy stocks again  All could’ve been avoided with a tiny amount of research

11882) -0.1531) @TeslaPodcast Tesla is worth $10,000 per share TODAY, so a $100 change in $TSLA is really just a one percent swing, as far as I'm concerned. People are losing their shit over one percent swings. The volatility that's about to come is 10x greater.  $TSLA #NotSellingAShareBefore10000

11883) -0.4344) When people imply I’m a Tesla Fanboy, I simply shake my head.... I’m just not a Tesla Fanboy.... I’m an Elon FanMan who happens to invest &amp; believe in $TSLA   @elonmusk you do you!  Let’s go to MARS!!! #CyberTruck  https://t.co/UVQmv4KHso

11884) -0.2023) $TSLA +10% off the lows

11885) -0.34) This volatility is crazy 🙃 $TSLA

11886) -0.1779) Yo $TSLA peeps....buy and hold.  Don't let the big boys shake you out.  @ValueAnalyst1 @jpr007 @ReflexFunds @defnotES2 @28delayslater @BarkMSmeagol

11887) -0.7003) "In the months since they first launched, the Starlink satellites have been essentially photobombing ground-based telescopes. Their reflectiveness can saturate detectors, overwhelming them, which can ruin frames and leave ghost imprints on others." $TSLA   https://t.co/ouEJEsGUuW

11888) -0.4781) This is not a joke. I am not kidding. I'm not being cute. If you sold even one share, unfollow. I don't want you among my followers. I don't want you in my discussions. Leave.  $TSLA #NotSellingAShareBefore10000

11889) -0.4019) $TSLA short int is $17.74bn ; 24.15mm shs shorted; 16.98% of float. Shs shorted down -1.53mm shs,-5.9%, over last 30 days as price rose +63% &amp; down -432k shs,-1.8%, last week. Shorts down -$7.08bn in 2020 mark-to-market losses; +$814mm on today's -4.59% move  https://t.co/KoMPfB3jHV

11890) -0.1655) 6/  So, last year, GM made $6.7 billion. and Ford made $47 million. And what about $TSLA? It lost $862 million. But the reader would never know that, because Colias never mentions it.

11891) -0.4009) 1/ Yesterday I discussed how, when it comes to $tsla (and no doubt lots more), Robinhood "investors" are feeding on a diet of "digestible" but nutrient-free garbage from  @RobinhoodSnacks. But, there are so, so many other media offenders...  https://t.co/U2YPn5PY0n

11892) -0.3612) 💥It's #ThursdayComic Time 💥  King Elon and Tesla Remain The Biggest Story On Wall Street  Read our latest comic here: 👉 https://t.co/lsbyyiuKY1 👈  $TSLA $TSLAQ  https://t.co/oQ52os0l24

11893) -0.4278) bismillah, lets FUD this thing down to $600 today, boyz. $tsla

11894) -0.4753) GETTING SMASHED AS EXPECTED 🔥 Tesla $TSLA down $40~ premarket ... Opening at lower levels then yesterday's low... Parabolic PIPEDREAM is OVER! Musk couldn't get financing at $420 so then why buy the Stock at $800-900 🤔😂  See you back $400 $TSLAQ  #Stocks #Bubble #Tesla #Musky  https://t.co/z2f4L5jNy6

11895) -0.4939) The SEC rule 201 has been triggered for $tsla and exchanges have implemented a short sale restriction in accordance with their policies.  Short sale restriction is in effect since market open yesterday until Feb 7.  https://t.co/r3reoDOj7L

11896) -0.7096) .@G2Tohaj Unfortunate day today :( $TSLA

11897) -0.6239) “If you're suddenly deciding to short $TSLA, take it from the guy who blew the last three years betting "against fraud" and *on* "a rational market" and beware of "the echo bubble"! $TSLA(s)  https://t.co/6owjZBu7T2

11898) -0.3491) More payments from FCA to $TSLA this year, but possibly not a huge one. Next year their compliance comes from PSA.  $TSLAQ  https://t.co/2usH0X9gab

11899) -0.3875) Those who are crossing their fingers for new institutional buys to show up in 13F filings to justify the recent rise in the stock only do so because they are not confident in their own analysis.  $TSLA #NotSellingAShareBefore10000

11900) -0.34) The weekly candle on $TSLA is going to be lit 🔥

11901) -0.8091) Media keeps asking how $TSLA could quadruple from July lows:  Uh...let’s see:  3Q beat, China up in 1 yr, Y launch 6 mo early, Cybertruck, competitors’ EVs have failed,  4Q beat, 2020-2021 est. have doubled, potential S&amp;P inclusion, massive ESG flows, potential credit upgrades.

11902) -0.359) Just talked with friend which just cancelled id.3 order! Reason: they took out equipment which vw promised to include in previous offer so price increased to €50.000!!! And delays, delays, SW problems... He is furious! Calling $Tsla !🤪

11903) -0.7783) Set aside what you think about Tesla for a minute.  Something is seriously wrong here.  $TSLA hits 2019 low: ▪️ CNBC (6/2019): "Tesla's Troubles"  $TSLA hits all-time high: ▪️ CNBC (2/2020): "Elon Musk, God CEO?"  https://t.co/JEPvBoragK

11904) -0.8225) "We've gone from fear of founder to fear of missing out," says JeffSonnenfeld on @elonmusk  $TSLA  https://t.co/OBtGtXXxU1

11905) -0.5423) You’ve ignored $Tsla SP manipulation for way too long @SEC_Enforcement.

11906) -0.4184) Keep it simple:  Look 10 years forward - will $TSLA be higher or lower than the current price levels? I firmly believe higher. 👊  That’s it!  You need to be able to handle the twists and turns that come with going on this ride with Tesla! 🌪   #Tesla

11907) -0.296) More than 13,000 Robinhood accounts bought $TSLA for the first time ever this week. Is it time to get worried about owning the stock? @TDAJJKinahan weighs in on what retail investors need to know:  https://t.co/nA4QC0ZBz6

11908) -0.296) How to make 30K while having no clue what you are doing.   $TSLA  https://t.co/Er2AChVHei

11909) -0.9074) "Revenge shorting" is exactly what's happening right now. There have been so many people hurt by this stock's rise that they organized a massive short attack to avenge their losses.  They don't trade on stocks they love, they find something they hate and short it.  $TSLA

11910) -0.5423) @elonmusk When you get manic on Twitter, we know bad news is coming out.  $TSLA $TSLAQ

11911) -0.2003) "Tesla has temporarily closed its stores in mainland China as of Sunday, Feb. 2, according to an online post from a company sales employee on that date."  Bullish! Demand piles up now.  $TSLA $TSLAQ Tesla temporarily closes China stores  https://t.co/qnteEaH9Fd

11912) -0.5106) $TSLA sub $700 and its not even 7:00am yet  Early morning panic

11913) -0.5106) 🚨 Israeli scientists trick Tesla's Autopilot feature by projecting fake signs onto the road $TSLA $TSLAQ  https://t.co/vzKczWZsDu

11914) -0.34) What's the difference between a $TSLA blog, Youtube channel, podcast, etc. that discusses Tesla cars and products, EVs in general, environmentalism as a whole and Elon Musk personally?  Trick question - no difference whatsoever.  They all talk about the stock nonstop.

11915) -0.1739) I am in New Zealand 🇳🇿 running around mountains and above rainbows! I couldn’t trade most of this week (market opens 3:30am) and I am too tired to short $TSLA lol. Although I have a big FOMO on this $TSLA-mania, @elonmusk needs to smoke more pot to be higher than where I am now!  https://t.co/LEkoWQp7V7

11916) -0.8146) So $TSLA will do "Battery (Fraud) Day" and then raise on that. They get $2B - $3B and this keeps the plates spinning for a year or so. How long will this BS keep going for? How many fake products can he raise on? Is there a limit?

11917) -0.128) Reality has been not been halted - it has been completely delisted.  $TSLA will not do any of those things.  The company that has yet to produce a single battery or driverless car is supposedly going to dominate those industries entirely.

11918) -0.316) The bigger the parabolic move and the higher the volume on the blow off, the deeper the inevitable retrace. Everyone's now looking to catch the $TSLA bounce which no doubt will be sold into by the trapped supply.

11919) -0.4215) Another insane day of $TSLA with trading volume of &gt;48M, worth another $36B ish. So &gt;$100B traded in the last 3 days alone.  If you can take anything away from this, it's that a short squeeze will not materialise as a result of shorts covering.

11920) -0.4019) “Only reliable pattern is to do the reverse of what i do. I always lose money on this stock.” $TSLA  https://t.co/BeFPnnEDtt

11921) -0.0516) The same people who told you to sell $TSLA at $180 are telling you to sell at $734. No one can predict the future. Make your best decision and stick with it. I decided to acquire #Tesla over time and hold. Stock fluctuations do not change that plan. Timing the market is for fools  https://t.co/tTcuA4Bub1

11922) -0.6046) $TSLA  Call it an evening star. Call it a bearish abandoned baby (far rarer). Whatever you call it, that three candle pattern is technically atrocious. Anything can happen, but based on the rules of TA, Tesla should see quite a bit more downside ahead. I remain short from $833.  https://t.co/6TiMx8WD1C

11923) -0.2732) $TSLA is the first tech company to have an auto company risk profile.

11924) -0.3412) Medical Elon not a good look. $tslaQ $TSLA

11925) -0.91) $tsla is suing Musk (derivative claim) for unjust enrichment, Waste &amp; breach of fiduciary duty. Motions for summary judgment denied. March trial set. Chancery court- legit judge  Other directors settled last week for $60mm  Big $$ security fraud suit on stay pending outcome here

11926) -0.5106) Don’t Panic $tsla

11927) -0.4213) So can I buy $TSLA now??  Listen, if you have never traded a super go-go momo stock like TSLA is right now, stay in the kiddie pool where you can pee standing up or sitting down... ur option.  It’s really tough to pee in the ocean during hurricane with sharks circling you.

11928) -0.2263) Exactly. Whereas, by important contrast, $TSLA has a proven track record of endless losses.

11929) -0.7334) The Chinese Communist Party banned selling this week, so what’s wrong with a $tsla cultist doing likewise? Harvest the organs of the offenders, say I.

11930) -0.1027) Geeze, Ark is hard on the pump handle...  $TSLA $TSLAQ

11931) -0.7506) 5) The Global Times also writes that car demand, post-coronavirus, will "largely dwindle under economic pressure."  People don't buy cars after being financially squeezed by months of quarantines.   The blow to $TSLA will be "overwhelming" &amp; negative for its "global performance".  https://t.co/i8gsgSCWos

11932) -0.1779) 1) The CCP took the privilege today of slashing $TSLA's 2020 delivery guidance on @elonmusk's behalf. Global Times, the CCP's English language mouthpiece, said b/c of coronavirus, $TSLA would need to slash sales/output in China by "roughly 1/2 to 80K".   https://t.co/6Tb1vfg9fk

11933) -0.5984) Tesla, The Most Disruptive &amp; Wall Street Misunderstands Company.  $TSLA #Tesla    https://t.co/lpZQ12IkIj

11934) -0.1027) Updated $TSLA projection. First pic shows my sub waves of the lower degree. Today we had a deep retrace for subwave iv of (5). A measured wave v move gives me a 940/1000 target for top. One more impulse should complete the five up move. 2nd pic shows extended fifth wave. SP: 734  https://t.co/wve3YysbDm

11935) -0.25) Elon better pray this stonk stays above $400. For $TSLA, the stock is its biggest marketing tool. This pop blasted Tesla into the average Joe's conscience. If this thing flops here, many more people will start wondering if this is one gigantic fraud. $TSLAQ

11936) -0.4019) This year's short squeeze on $TSLA will go down in history🔥 Yesterday we saw an epic demonstration of how  @Tesla gets a victory over opponents. Perhaps such a lesson will make some 🐻 seriously think about changing sides @elonmusk👏🏼 #Tesla #TSLAQ 🤡  https://t.co/YigGWwk2g3

11937) -0.7003) Hey @TashaARK your shoddy work and shameless stock pumping is going to get people hurt. $TSLA  https://t.co/arrg7efqID

11938) -0.079) What’s so amazing about FinTwit is that every $TSLA bull and bear is apparently killing it.

11939) -0.2263) As you know we’re a touch behind with the supercharger network over here in Europe. These are our limited options 😉 #Tesla $TSLA   @elonmusk  https://t.co/tqRZFL9dwB

11940) -0.1531) @CGrantWSJ well-known $tsla shill once again exaggerates its performance...

11941) -0.743) So $TSLA drops and an emergency call is made to bring in @CathieDWood to pump the stock again on @cnbc. All while she sells the stock. What a scam.  https://t.co/uuYpFddtJq

11942) -0.3182) @GrainSurgeon Did you know that you can’t loose money buying $tsla calls so long as everyone is doing it?

11943) -0.5267) Some VWAP levels for $TSLA to illustrate a lot of trapped longs 770 is vwap from 1/30 when it started to gap.  From 1/31 vwap is 792.   From 2/3 vwap 808.  From 2/4 840. Today's vwap 763 is first resistance

11944) -0.1027) against my better judgement holding the last 750P (and remaining others) overnight. hedging with some 900 and 1000 c's. (you really cant make this stuff up.) (you really have to be an idiot to not just be sitting this out.)   JUST FUCC ME UP PAPA $TSLA

11945) -0.8733) Finally hit a goal i've been dying to achieve. I was scared shitless holding $TSLA short overnight but man it paid off.  Biggest trade of my career so far.  Closed everything out... now time to review and chill the fuck out. Fuck yeah!

11946) -0.6124) This stock run up is going be Elon Musk's demise. When it craters and yes this is just the beginning, retail investors who haven't been integrally involved in this story are going to get hurt while Elon is going to make 100's of millions. The outcry will be enormous. $tsla $tslaq

11947) -0.3182) Tesla lost people $10 billion dollars  https://t.co/jOrRskBQzH $TSLA

11948) -0.4404) Why is everyone panicking? @Tesla  $TSLA is just as high as it was 2-3 days ago. Think long term everyone, not day to day and panic-selling.

11949) -0.484) Those who haven't experienced a true bear market yet, take it from someone who got 🔥 in 2000: you don't see moves like $TSLA this week with large cap stocks in a healthy market. Ever. The Fed isn't infallible. If they were, we'd never have had a bear market. It IS that simple.

11950) -0.2942) Whoops 😬... talk about a profitable mistake! $TSLA  https://t.co/P5dEd2hyQO

11951) -0.6249) Worst day ever y’all... yet still up 63% in one month 🥂   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/Oj552lrC9A

11952) -0.3182) "I lost $50,000 in one day." $TSLA  https://t.co/VAvuRTAr9p

11953) -0.3182) "I lost over 150k." $TSLA  https://t.co/MkrNY5k5if

11954) -0.34) Heard columnist @CGrantWSJ was on @CNBC to discuss Tesla's crazy price surge  https://t.co/TUKIY9IRy3 $TSLA

11955) -0.4574) "I was pumped! i shoulda figured by end of day, some of the oligarchy would crash it." $TSLA  https://t.co/YxJwSIojKB

11956) -0.5106) "There's no real explanation for the $200 drop." $TSLA  https://t.co/v9ulT7hCMa

11957) -0.5267) "This is criminal what they did." $TSLA  https://t.co/HiYJxBIf2R

11958) -0.3182) "Short and distort." $TSLA  https://t.co/gwAO0wVpD3

11959) -0.2732) Yesterday as $TSLA was racing to $940 and above I outlined in the article above that $TSLA had technical risk of reconnecting with its upper weekly Bollinger band (then at $714). Today the stock hit $704 intra-day.  https://t.co/RxICfzmR7l

11960) -0.3818) Tesla Shares Crash 21% - The Biggest Daily Drop On Record:  https://t.co/sOAMpqP3aJ @zerohedge $TSLAQ $TSLA  https://t.co/f9jEjg5moH

11961) -0.296) In case anyone has been wondering what Cathie Wood of ARK invest has been up to the last couple days, while touting a $7,000 $TSLA price target:  She dumped 50,998 shares in the last two days.  $TSLAQ  https://t.co/zGo4HDEW2A

11962) -0.656) And people wonder why $TSLA is not worth more with such a high negative -$6.5 billion income.

11963) -0.296) $TSLA - 1/yeah, we know.  $TSLAQ has been all over it even if @ZKirkhorn and @elonmusk had no idea.

11964) -0.1531) taking my $tsla profits and paying everyone to shut the fuck up.  about everything.

11965) -0.4168) "Im not feeling good   bought at 960" $TSLA  https://t.co/n6KVyCr4fm

11966) -0.4215) 12/ No difference. It's reckless. It's irresponsible. It's New Age claptrap. Those youthful, innumerate investors paying close attention to Jack &amp; Nick, &amp; trusting them, are about to have their heads handed to them. $tsla $tslaq

11967) -0.4019) 11/ Nope. Let's just talk young avocado trees v old orange trees. So, here's my question: What's the difference between the total BS these two are spewing re $TSLA, and what @jimcramer did with Lehman Bros days before the big crash?

11968) -0.8718) 10/ They never mention $TSLA has lost money each year of its existence. Or that its revenues are down. Or that the Model 3 craze has quested, &amp; yet $TSLA lost $862MM last year. Or that Q1 is about to be a total catastrophe.

11969) -0.4215) 8/ It appears Jack &amp; Nick wrote &amp; recorded this before the market opened today. They detailed the recent stratospheric price rise, but no mention of today's $TSLA price action. I understand; well-done podcasts have to be in the can in advance.

11970) -0.4404) out another $750p. Thanks Papa. Likely selling way too early but yall have seen just how soft, pristine, hairless and weak my hands are. $tsla

11971) -0.3182) "How do you make purchases with unsettled funds?" $TSLA  https://t.co/AXAXWeqXwO

11972) -0.34) Wait until the market finds out that $TSLA refuses to deny that it has been "delivering" cars to itself this whole time.

11973) -0.6458) +25k on $TSLA is nice but leaving $160k on table is rather disappointing... gotta be very patient on first red day!!!

11974) -0.296) No one could’ve seen this coming. $TSLA  https://t.co/g1CJJronP0

11975) -0.34) "The shareholders was selling as a crazy and then the stock go down 10% and today more down. Keep buying." $TSLA  https://t.co/yN7LDUyBpT

11976) -0.4305) $TSLA run is impressive but resembles many other parabolic moves experienced in other stocks that didn't have a happy ending.   I discuss here --&gt;   https://t.co/7jK0ViCRLO

11977) -0.7271) To be clear on this thread, this whistleblower complaint raises valid issues &amp; does so with forceful language.  However, I am not comfortable dying on this hill.  I am confortable dying on the general whistleblower hill.  Many valid distinct claims of $tsla accounting fraud.

11978) -0.4215) All I know is if you lost money shorting $tsla yesterday trying to pick a top.  And lost today in $tsla trying to buy a dip.  Go for a walk and re-evaluate your process.

11979) -0.5951) KABOOM Tesla $TSLA 🔥🔥 Feel sorry for retail crowd who bought stock yesterday $800-900+ , you are permanently a bag holder!!!  Down 20%, that's not an invesment, once again wall street wins!  Hedge funds aren't buying they are dumping fast, valuations OUT OF CONTROL!! $TSLAQ 🚀  https://t.co/vMwHwl9Dol

11980) -0.34) Reminder: if six months ago we had awoken to discover $TSLA was trading in the 700s (or 600s, or 500s, or 400s, or 300s), we would think the world had gone crazy. Long. Way. To. Go.

11981) -0.4939) Top-Tick Jimbo.   Will go down with the Bear Sterns clips.   You're a disgrace @jimcramer. $TSLA $TSLAQ

11982) -0.4019) $TSLA crash continues. millennials getting blown out - mom &amp; pop traders blown out. jim cramer nowhere to be found. trump called bubble creator musk a "genius" for pumping stock.  https://t.co/fvhK5kwnXt

11983) -0.128) According to TMC forum, the $300 move up on Mon/Tues was due to business fundamentals, and the $250 drop in the past 22 hours is due to market manipulation by shorts, oil companies and Ralph Nader. Big if true. $TSLA

11984) -0.4019) HALT THE GOT DAMN STONK SEC $TSLA

11985) -0.1779) There is mass hysteria about $tsla not @tesla. People are taking endlessly about buying Tesla shares, not Tesla cars.

11986) -0.2023) $TSLA plowing to new lows

11987) -0.4019) $TSLA flash crash in 3...2....1...  The hubris of Musk not raising equity capital here is beyond absurd.

11988) -0.9011) "Everybody has a pain threshold"  "There's no glory in losing money"  Steve Eisman of "The Big Short" fame, explaining why he covered his Tesla short.🔥🔥🔥  $TSLA $TSLAQ

11989) -0.5719) Tesla crashes 30 percent all the way back to Monday prices ... the horror $tsla  https://t.co/3sI3N3M67n

11990) -0.4215) BNKWPT for sure this time. After all it’s the worst day in 6 years. $tsla  https://t.co/nrwGuWTH7Z

11991) -0.2732) Should I drop out or buy a $TSLA? “Literally printing money.”  https://t.co/2RJgNxipdv

11992) -0.7351) Whether this specific claim is true, I can’t definitively say.  But if you look at the numerous, independent whistleblower complaints filed against $tsla (link in thread) alleging accounting improprieties, end result is certain.   there’s a whole lot of fraud going on.

11993) -0.5294) @orthereaboot @Tesla FUD.  Of course Tesla has two sets of books, they are selling so many cars they didn’t have room in one set!  Go Tesla! $TSLA

11994) -0.2263) Tesla attorneys flee Model S Battery Designer Cristina Balan’s lawsuit against Tesla.  3 Tesla Attorneys quit, replaced by 1  $tslaq $tsla #Tesla  https://t.co/28vl3g8YBv

11995) -0.6808) @4xRevenue $TSLA "innovated" the use of crappy internal software to manage everything. Much easier to both fraud &amp; cover it up that way.

11996) -0.6486) As I mentioned, the actual complaint in this case is replete with evidence of the $TSLA fraud.  Plaintiff is himself a lawyer (undergrad Berkeley '09, JD Georgetown '13)   The full complaint &amp; supporting exhibits can be found here.   https://t.co/4sWdfKWeF7

11997) -0.7418) BOOM!  New whistleblower complaint against $TSLA extensively documenting @tesla used its systems to willfully defraud including "flat out fabricated discrepancies. . .&amp; deeper issues"  Tesla "explanations kept violating the rules/laws of logic, accounting. .".  Two sets of books!  https://t.co/gpr1rLfKY9

11998) -0.5499) Ralph Nader @RalphNader on @CNBC just now:  "Tesla Deserves an SEC investigation. Wall Street always tells people what to buy, but never tells anybody when to sell. Elon needs to slow down with his verbal puffing or he can get into deep trouble." $TSLA #Tesla

11999) -0.8748) Amazing what a short-squeeze does to people’s minds who see it as bullish/validating a weak thesis that overlooks reality, fraud &amp; deception - case in point $tsla  meanwhile as ive been posting imo a few more violent thrusts up&amp;down b4 $TSLA starts implosion imo  cc: @soclose2me

12000) -0.3252) $TSLA is in a "bear market", just in case you weren't aware. Lol  https://t.co/JrH75ZG7tj

12001) -0.0516) If $TSLA being down 14% opens your mind to think about selling or scares you, you do not belong in this stock in the first place.  Go ahead and sell me your shares. 🤝  #Tesla

12002) -0.2263) $TSLA down 13%. Oh the humanity. #sarcasm

12003) -0.4019) Decided to cash out all the #monero I bought at $400 and put it into $TSLA to try and make up my losses.

12004) -0.631) i know we've moved on but i'm still stuck at the fact that $TSLA's 52 week low is $176

12005) -0.1779) $TSLA wonder if we get rally back $820 + and then $30-40 gap tomorrow.  That'd be crazy - cannot imagine how much the options are moving. I'm not an options guy but Friday may be nutso.   What do you guys think?

12006) -0.958) its all BULLSHIT  @elonmusk remains a fraud &amp; this is just a parabolic squeeze of malinvestment oriented capital chasing FOMO/squeeze  will ultimately get killed  sorry $TSLA is still a 0 &amp; ELON is a fraud - will end up in jail  Bernie Ebbers in diff outfit cc: @SantiagoAuFund

12007) -0.679) $TSLA pretty big trade not gonna lie BUT I was planning on risking a lot more and so im a little bit sad...  https://t.co/p8Tw1SoIZK

12008) -0.296) A new Ohio Attorney General complaint regarding $TSLA.  https://t.co/9OqUTiMQV8

12009) -0.3182) Some baggie is viciously defending $750  $tsla $tslaq

12010) -0.7876) Mfs tryna short $TSLA but actually be 4’11, you’re worried about the wrong short bro

12011) -0.6486) Missed $TSLA short and now this....   This is the REAL trader lifestyle 😭  https://t.co/r8pyx74gaq

12012) -0.2263) Closed at $751. I think we'll see a double top, a second crash, and then a complacency shoulder. $TSLA  https://t.co/wdRj1mCwht

12013) -0.7876) Mfs tryna short $TSLA but are actually 4’11 you worried about the wrong short bro

12014) -0.4215) Client Calls from Friday:  ✅ Short Bonds on expected rate bounce ✅ Short Gold on higher USD ✅ Long SPX on Growth/CoronaVirus fears abating ✅ Long Commodities - Reflation theme ✅ Long IPOs where speculation breeds faster than bunnies ✅ Oh + yday Short $TSLA Long Oil  Live+✍️

12015) -0.4767) Hey @TheTerminal where are all the $TSLA longs "have lost billions falling for the oldest trick in the book" headlines?

12016) -0.2263) All that to say, I'm planning to buy some $TSLA stock soon, lol.   Let the insanity end first.

12017) -0.3182) BREAKING: MS’ JONAS SEES $TSLA FUNDAMENTALS WEAKENING FROM YESTERDAY

12018) -0.34) I have vivid memories of 2013 ingrained in my head. Not going to make the same mistake again.   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/mLssCpv31N

12019) -0.7184) This is when people who don't know about stocks get hurt and when people who know how pump and dump work make a lot of money at others expense. $TSLA  https://t.co/cQDeHruuAc

12020) -0.8689) $TSLA The 12,000 #Robinhood accounts that just bought #Tesla for the first time learning a hard lesson this morning about chasing. A real shame they got sucked into the hype from media and fake analysts. Media pumped stock all day yesterday to help suck in sheep for slaughter.

12021) -0.296) Bracing for a steady flow of “I told you $tsla would dump” tweets from mainly people with no skin in the game

12022) -0.4767) This is literally the biggest short attack I've ever seen in all of my 9 weeks of investing.  $TSLA

12023) -0.4215) Ugh the $tsla stock is

12024) -0.4767) Jay Clayton and Nasdaq have allowed Musk and $TSLA to make a mockery of the markets.  If a third division Italian team was winning 20-0 week after week and then loses 10-0 suddenly, the league and the Italian police would investigate, and there would be wire-taps and arrests.

12025) -0.4215) $TSLA opens red on fears that Texas is too close the Mexican beer virus.  https://t.co/3vwKOQGLnH

12026) -0.5402) Dude accidentally sold $tsla calls instead of buying them... RH has no risk department to check when users are going to wreck them selves   https://t.co/RZ55QfKUif

12027) -0.0772) Today will see some profit taking along with the ‘totally ignored until now’ Coronavirus factor. China factory closure is ongoing but will only delay production, not affect sales. This was always coming. Nothing goes up in a straight line. $TSLA

12028) -0.296) $TSLA whacked another $20 lower

12029) -0.4019) #Potus is retweeting everyone talking shit about #Pelosi  They opened up an $1800 strike on $TSLA  There's no reason to give a fk about anything  Say what you want do what you want  Nobody cares

12030) -0.296) Still no squeeze.. $TSLA

12031) -0.4019) $TSLA short int is $20.80bn ; 23.45mm shs shorted; 17.50% of float. Shs shorted down -2.23mm shs,-8.7%, over last 30 days as price rose +96% &amp; down -1.13 shs,-4.6%, last week. Shorts down -$11.47bn in 2020 mark-to-market losses; -$5.63bn in February.  https://t.co/3ZywyY4L54

12032) -0.8126) "Look, everybody has a pain threshold. When a stock .. has cult-like aspects to it, you just have to walk away." - Steve Eisman, famous for betting against subprime before the financial crisis, on how he's covered his $TSLA short.  (via @tomkeene)  https://t.co/YsjQvNP2Xc

12033) -0.8819) Can you believe this utter manipulation going on right now? Where is the @SEC_Enforcement? You pigs letting $TSLA drop even $.01 is an utter embarrassment, and you’re complicit in shorts and Big Oil ruining America’s only chance at saving itself from climate change. Shame. $TSLAQ

12034) -0.7322) BREAKING: #Tesla beat DS in Germany in January by 1 car (367). Sadly, it was lagging behind Porsche (2,012), that sold more in Germany alone than Tesla in whole Europe.  $TSLA $TSLAQ

12035) -0.4927) Perhaps @GovAbbott should confer with @DanTelvock to learn about how $TSLA has completely screwed the State of New York in general, &amp; the City of Buffalo in particular, at the Riverbend plant. And, he might want to read this:  https://t.co/w93UOsi2JS

12036) -0.6486) A lot has happened since this was written, but it’s timely to say the least.   Given the crazy tear that $TSLA ‘s been on this week, thought I’d reshare my article on another controversial 19th century transportation company.    https://t.co/j9lj4jwrco

12037) -0.6697) As we said, while Elon was tweeting about nerd parties and taunting critics over the past week, he was sitting on very bad news. $TSLA $TSLAQ

12038) -0.5927) Interim 🇪🇺 Jan #Tesla registration report. Still missing Germany and France. See the legend at the bottom.  M3 down 5% vs Oct but up 38% ex-NL/UK. SuX down 32% in the countries reported.  $TSLA $TSLAQ  https://t.co/buZ3iIpygr

12039) -0.8957) In a normal world, with all that’s gone on with this stock, this tweet by this man at this time would trigger a serious response by the SEC. But in the Jay Clayton era, you can flagrantly violate a securities fraud settlement in a desperate attempt to keep a mania going. $TSLA

12040) -0.2732) Once gamma chase ends: it’s over. Massive retail buying of OTM call options is driving $TSLA parabolic. The gamma hedging is the real buyer of underlying stock to manage the counterparty risk (call writer). Must watch:  https://t.co/8c9iNJ6SwR.

12041) -0.3818) Those thinking Tesla will take 10 yrs to get to 20M units per year are in for a shock.  $TSLA #NotSellingAShareBefore10000

12042) -0.1531) $TSLA - shocker (sarcasm).  It will be a pretty Long delay

12043) -0.3182) Tesla Senior Exec: Will Temporarily Delay Planned Early-Feb Delivery Of Some Made-In-China Model 3 Cars Due To Coronavirus Outbreak $TSLA Senior Exec: Shanghai Plant Plans To Restart Production In Shanghai On Feb 10

12044) -0.34) Did Trump accidentally spill the beans on Giga Texas? Thinking back to his recent Elon comments. #Tesla $TSLA  https://t.co/OwcmmGtDaa

12045) -0.2732) This guy in reddit I’m dead $TSLA 🤣  https://t.co/eEFwpRFOWZ

12046) -0.4587) I'm a rather nice guy, getting along with everyone but Teslacharts squealing for SEC stopping $TSLA trades has warmed my heart beyond believe. The last 2 years we fought FUD from short sellers, we reported them for vitriolic attacks and insults. It looks like my handle comes true

12047) -0.6549) P/L: When you've been trading as long as I have, it's no longer so much about the amount loss but the way in which you lose.  Was up +9K and then didn't pay attention to the fact there was only 15 minutes left and purely on instinct, reacted for the dip buy on $TSLA &amp; got smoked.  https://t.co/TFK3P3VbE2

12048) -0.4854) Saying it now. $TSLA won’t deliver more than 400k cars this year. Dependent on how hard they jam the Model Y into the US (California) but even then, less than 420k deliveries. Revenues YoY will be down And 2020 loss of at least $700 million now. Bookmark it. $TSLAQ

12049) -0.6887) Reposting:  NHTSA has published an additional fifty SUA complaints received from Tesla customers following the 1/17/2020 news headlines.  In my letters to NHTSA I indicated SUA is a hugely underreported problem, and the response from Tesla customers seems to confirm. $tslaq $tsla  https://t.co/0Rt90HjiR2

12050) -0.5255) Dana picked the wrong month for her twitter sabbatical!   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/PGOAgoLlX5

12051) -0.5423) If $TSLA's US sales were down by 56% YoY in January, EU sales down 10% YoY, &amp; China can't cover for that, is that bad for Q1'20 deliveries?

12052) -0.4912) Tonight on #FinTwit : $TSLA  a) It's a short now, because that afternoon dump means momo is over.  Tomorrow, it's going to Gap DOWN 100 points!  OR  b) Everyone thinks it's a short now, so it's going to squeeze higher.  Tomorrow, it's going to Gap UP 100 points!  🤔🤔🤔🤔

12053) -0.3612) Here's an example of the kind of grotesque pig ignorance you won't be seeing in your feed once you click here:  https://t.co/M4YpCzV5Fn $tslaQ $TSLA #TooStupidToSell  https://t.co/VLWXixPNpz

12054) -0.2382) My $10 / $15000 case values robotaxis at zero.  But, hear me out --  What if $TSLA uses their Dojo supercomputer to mine Bitcoin? 💰💰💰  If anyone deserves THREE questions on the next conference call ... 👆🤓

12055) -0.264) Who is more spiritually awakened than anyone on the planet? And is therefore most in tune with the esteem-boosting features of $tsla ownership? The New Age Svengali, @AwakenWithJP. Seriously, this is genius.

12056) -0.6082) Trading #Bitcoin - But let's look at $TSLA, it's more interesting: Notes:  1. Flight from Manila to LAX got Canceled, but I should still make it there in time for the meetup:  https://t.co/EX6KE1Tlre 2. Internet connection is here is really unstable :(  https://t.co/MXWcurNFHH

12057) -0.8765) Tesla volume today 61 mil shrs. There are 180 mil in float. But... 25% insiders/Elon. 40% long term funds. 35% die hard crazy Tesla shareholders who wont sell. Then there was around 25 mil shares still short. Basically there are no sellers and many buyers. Hence the rocket. $tsla

12058) -0.9517) @CryptoCred CONTACTING MY DEAD GIRLFRIEND WITH A OUIJA BOARD AND SHE TELLS ME TO LONG $TSLA 😱😱 3AM CHALLENGE 🔥

12059) -0.3182) With $TSLA's Bitcoin-like rise is this the point we question whether bad actors are laundering money through $TSLA shares?

12060) -0.5383) Breaking! S&amp;P 500 is seriously considering making $tsla THE. ENTIRE. INDEX. Which makes absolute sense -disrupting autos, microchips, solar, energy, insurance, gig economy, autonomy, rockets, tunnels, and brains. Brains are fucked as the did not prepare for disruption! @elonmusk

12061) -0.2755) $TSLA does not look like slowing down ...

12062) -0.2732) If $TSLA's US sales were down -56% YoY in January, when do they cut prices again?

12063) -0.4019) $TSLA  Harvard researchers’ model says probability of a crash in Tesla’s stock price is more than 80%   https://t.co/Jj3cqNSeGh

12064) -0.8166) Shorts are getting their asses handed to them, the market no longer cares about the coronavirus, and you're probably wondering wtf to do. @wallstjesus talks flow, sentiment, and even... you guessed it... $TSLA, in this week's Degenerate's Hangout.   https://t.co/noCgjoHmrn

12065) -0.2263) Things that Financial Fraudsters Like @SarahVI_S Say On Social Media:  $TSLA cc: @SECEnfDirectors @SECEnforcement  https://t.co/hhNwlPNaM4

12066) -0.0772) @AlexChalekian Lend him the money to buy a few shares of $TSLA. When it crashes, teach him what a Margin Call is at that time. Make him work off the debt by mowing the lawn.

12067) -0.2263) ARK $TSLA  Firm That Called for Tesla Stock at $7,000 Recently Slashed Its Stake  https://t.co/XptZEhZnrq via @BarronsOnline

12068) -0.296) in '99 I turned 8k into 160k in 5 months and I had no idea what I was doing probably how $TSLA buyers feel

12069) -0.5499) Clarification... what platform are you using to short $Tsla?  Looked at simplefx but the spread is fkn insane

12070) -0.3818) Imagine being an employee not being able to sell inside a restricted period right now.... $tsla

12071) -0.0772) @glenntongue @QuisitiveInvest True gross margins below 20% are the giveaway that this is not a “tech” company, despite what investors think. And that revenues basically start at zero at the beginning of every new quarter. Oh, and the building of “factories”. $TSLA

12072) -0.2732) Alright now that I was wrong about Saudis buying $TSLA...  So who is actually the big whale?

12073) -0.126) @gwestr Damn! The pain is evident...  You of all people should've known better than to try and short $TSLA...😂

12074) -0.4588) Somewhere out there, someone is considering investing money they can’t afford to lose in $TSLA because they don’t want to miss out.

12075) -0.3331) Genius!!! Talk about a PERFECT recap of today!!  $TSLA $TSLAQ   Also known as EVERY FREAKING day in low float land...  https://t.co/WAwwKeGY1X

12076) -0.1759) Everything at $tsla is fine, says the stock price.  Look no further!

12077) -0.6093) Poor shawties! Can’t catch a break!! #Tesla $TSLA   🤡💩 $TSLAQ 💩🤡  https://t.co/cLkXtmCtIR

12078) -0.3818) “The United Kingdom’s ban on petrol vehicles has been formally moved up by 5 years, from 2040 to 2035… The UK’s upcoming ban includes hybrid vehicles, which have long been promoted by veteran carmakers as ‘electrified’ cars.” ⛽️🚫🇬🇧  https://t.co/SgY2Ji2XiS $TSLA #Tesla #EV  https://t.co/tYDlnpTnaB

12079) -0.7351) Crazy Eddie Memoirs: You can’t sustain a fraud by squeezing short sellers. $TSLAQ $TSLA

12080) -0.7003) "Having traded as high as $969, a move of almost $200 higher on the day, Tesla stock suddenly collapsed at 350pm, dropping as much as $100 from $960 to $860 in second in what can only be described as the mother of all red candles..."  Source: zerohedge  $TSLA #insanity  https://t.co/lNgqy8WLEZ

12081) -0.4782) With a closing mkt cap of $160B, $TSLA is now larger than 464 of the S&amp;P 500 companies, but are ineligible for inclusion in the index because they've never been profitable for 4 consecutive quarters.   That's all.

12082) -0.0531) This is Just the past 2 days of trading $tsla. I have traded it for the last 3 months and have shares long term. Never selling. Thanks @elonmusk and @Tesla 👍  https://t.co/2oIGCC3PTK

12083) -0.2479) The premiums in $TSLA are so insane right now. Weekly $1,500 calls are trading about $2.50. 67% OTM with 3 days left. I don't think I've ever seen anything like this before.

12084) -0.6486) We trained four years for the Olympics.  Don’t puke at the starting blocks.  $TSLA #NotSellingAShareBefore10000  https://t.co/E8Do7xIvaS

12085) -0.3182) Yesterday, $TSLA "short-sellers lost a staggering $2.5 billion just in a single day." #tesla #shortinterest #s3data  https://t.co/Tyd9Uipeu7

12086) -0.6056) i dont disagree. the move to $950 (and perhaps beyond) was silly. but i do wonder whether (absent a black swan) we will have a new higher floor when dust settles. $420, $500, $600? TBD (and perhaps i'm totally wrong). but until wheels fall off, might be in a new range. JMHO $tsla

12087) -0.2878) $TSLA shares have more than doubled in 2020, yet forensic accounting expert @steveclapham and founder of Behind the Balance Sheet says, “There are so many things wrong with Tesla…”  https://t.co/O0SpFd2sY3  https://t.co/cdxNVyW6Wq

12088) -0.6668) He started the day wanting $TSLA to Halt.  (For no good reason other than he was unhappy with the stock LOL)  He ended the day with this.  Boo hoo fraudster TC!  https://t.co/UWfe8SsOlK

12089) -0.3818) The below was my contemporaneous tweet at the time of the fake $TSLA buyout.  The stock market has now become a craps table.  Thanks to the @SEC_Enforcement for making this possible.  Somewhere, a buttonwood tree weeps.

12090) -0.7506) @CGasparino @Tesla @elonmusk Elon Musk isn’t a criminal in that he hasn’t been formally convicted of a crime.  Semantically, sure.  Musk commits fraud daily, it’s not disputable, and you, Charles, cannot rebut it.  $tsla has the highest lemon rate by orders of magnitude.  Otherwise, good tweet.

12091) -0.3818) $TSLA squeezes up  $400-$700 points and drops $50-100 pts and the shorts $TSLAQ and Twitter geniuses/experts are all screaming “I told you so” 🤦🏻‍♂️  #tradingIsEasy

12092) -0.2263) At the end of January, $TSLA quietly settled a four-year-running lawsuit involving allegations of  labor trafficking by plaintiffs from Slovenia.  https://t.co/HbB2zef6vE

12093) -0.2235) This is not a joke.  (.. as @SalArnuk and @kensweet have pointed out.) $TSLA  https://t.co/4dPJyo6721

12094) -0.2263) $TSLA closes at $887...dips to $875 after the close...now trading at $905. Lets see how many people delete their negative TSLA tweets from today when the stock hits $1000 tomorrow lol.

12095) -0.5106) can we please see $TSLA drop $500 more @elonmusk   I gotta say this action in @tesla by a consummate fraudster that the market just seems to think is completely immaterial reminds me of 1999/2000 on steroids

12096) -0.3818) That end of day dump was probably nothing... $TSLA  https://t.co/KubA7aUUh0

12097) -0.4019) Some institutions just dumped a boat of Tesla stock and the market was just eating it up. $tsla

12098) -0.4215) selling program hits $tsla - mom &amp; pop investors who bought at highs puking margin calls  https://t.co/eruft0GMKr

12099) -0.7882) Wtf is going on with $TSLA stock?  News or fever broke?

12100) -0.4939) How quickly does retail buying $TSLA at $900 scare off?

12101) -0.2946) Don't worry, $TSLA just shaking out the weak hands.

12102) -0.3182) If the last five minutes of $TSLA doesn’t trigger some kind of shareholder lawsuit, I’ll be stunned.

12103) -0.6239) $TSLAQ $TSLA  Wtf is going on at the close?!

12104) -0.3382) Fed's gotta cut rates! $TSLA  https://t.co/cx8VNE3E2D

12105) -0.1779) BESPOKE: “Tesla's bubble looks a lot bigger than biotech, homebuilders, or the aggregate Tech sector's bubble. .. it's hard to take it seriously as something other than a combination of speculative excess and positioning ..” - @bespokeinvest   $TSLA  https://t.co/KgB3gU7ogi

12106) -0.4215) $TSLA is so overbought now, it literally broke the meter inside Exodus. The data suggests the stock is going higher, BTW  https://t.co/iKtUwVPB15

12107) -0.5267) you're a conspiracy theorist if you call $tsla a bubble  https://t.co/w3m7O1xJgR

12108) -0.6808) @KingPickleRick1 at this point it's in the algos hands, but we started the week at $650 so perhaps we end up there. riding it out with a that remaining C and a few P's and considering wiring the rest of the loot out of the account so i don't do anything else stupid. (never advise) $tsla  https://t.co/rOEB8vxrNI

12109) -0.3818) Last year I was trending towards going broke.  When $TSLA fell to $185, I took a risk and made a huge bet on it with what I had remaining.  What a run...

12110) -0.7935) I mean this $TSLA run is crazy, unsustainable and I think it's due a correction but I sure as hell wouldn't be trying to call a top repeatedly.  Market can remain irrational longer than you can remain liquid.

12111) -0.2183) Why is $TSLA stock mooning so hard?

12112) -0.25) The "Employer Representative" is Elon Musk. $TSLA lacks a permanent General Counsel after its third resigned in roughly twelve months.

12113) -0.4703) I ordered this custom shirt last night before sleeping for 2 reasons: 1. I love throwing good money after bad.. 2. I lost my previous shirt shorting  Seriously tho, stick to your edge - I placed a trade in a foreign mkt, where I have no edge, so I fully deserved my hiding $TSLA  https://t.co/Fz8B9eLaV5

12114) -0.1553) $TSLA is now worth more than Oracle, which is where I work. Absolute insanity. This is so clearly a bubble. First quarter loss might bring it back down into the solar system.

12115) -0.4215) Broke: trading shitcoins  Woke: trading bitcoin derivatives  Bespoke: trading $TSLA on the 1-min chart

12116) -0.4588) New: Among other charges, NLRB has charged $TSLA with denying an employee the right to see a nurse because that employee supported the union. More soon.  https://t.co/xKuCMxhzYV

12117) -0.296) $TSLA now up over 23%. No words  https://t.co/jHkRppboz8  https://t.co/2yMGRdyhOn

12118) -0.3818) Jesus lads will we hit $1000 before the dump? $tsla

12119) -0.7717) wtf scaring even me now and im not even in $TSLA

12120) -0.3612) Don’t Doubt ur Vibe #StashStockParty  Charge up on $TSLA. ⚡️🔜  https://t.co/7mNlBFuhXX  https://t.co/XHlQfsluwr

12121) -0.5423) Who the fuck is buying $TSLA up 40% in two days.

12122) -0.6115) $TSLA Total insanity at this point.

12123) -0.4767) $TSLA ATH (again) shorts obliterated (again)

12124) -0.0772) Going back to May 2018, the number of Robinhood users holding $TSLA was inversely correlated with price; users bought dips and sold rips.   Since mid-December 2019, that inverse correlation broke down, and users began piling into Tesla shares as the price went vertical.  https://t.co/UbHQvRs4wx

12125) -0.4653) Elon Musk not only destroyed the Shorts in $TSLA but he destroyed and undressed the @SEC_Enforcement as well. People will regret this one day, but the band plays on.. Might be time for the Ear Plugs for the Music is getting quite loud

12126) -0.7717) Yo @timseymour, I hate to be the bearer of bad news for ya... but 😬👇🙈  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/GusrPASBF4

12127) -0.0772) Tesla Stock Analysis On IBD Live: A Stock In Ludicrous Mode  Shares near $1000 for the first time ever. $TSLA  https://t.co/PftQYxsqn0

12128) -0.5423) s/o to @elonmusk , might just fuck around and cop a car after trading $TSLA today 😳😳😳

12129) -0.2263) $TSLA market cap has increased $53B since Zerohedge was banned from Twitter

12130) -0.5106) I'm shorting $TSLA at $1,000.00 (if it reaches there).  Fuck what you're going through.  https://t.co/liOWbyPbPh

12131) -0.3274) Did Citron just add fuel to $TSLA to smoke the shorts to $1k?!  Short $998.88 perhaps  Tomorrow is day 3 of the big move  But man shorts are so upside down and every dip they are fighting to cover.  The way this may top is when it starts to skip $10s of dollars and parabolics 🤔

12132) -0.6808) $TSLA +20% target destroyed 🔥

12133) -0.8352) #Tesla is the STOCK of 2020 so FAR! Up 86% as @elonmusk KILLS the SHORTS (those betting $tsla will FALL) with LOSSES of $2.8bln on Monday ALONE! Is this the #Amazon moment for the carmaker? #Tesla says they will easily deliver 500K cars in 2020 &amp; #Panasonic Battery making money  https://t.co/JWRRr1e1C6

12134) -0.3818) Shoutout to @ex_Tesla for his battle tested $TSLA model.

12135) -0.8807) These puts were $170 two weeks ago... 1 contract $17,000 now $177 for same contract you poor poor bastards. #Lotto $tsla  https://t.co/0afzZbRTTe

12136) -0.9443) I don’t know what @elonmusk was using in this stunt... but it definately was not Solarglass V3. Looks nothing like the installs. Wrong thickness. Wrong texture. Wrong color. Lie small, Lie big $tsla  https://t.co/qCkMrTLm7y

12137) -0.7456) $TSLA  It’s not the Saudis buying, actually the OPPOSITE. Saudis sold nearly all their Tesla holdings in 4Q  “Saudi Arabia fund dumped nearly all of its Tesla shares in the fourth quarter, filing shows” @1stPrincipleInv @MatchasmMatt @ValueAnalyst1

12138) -0.4019) Boy did this tweet get me in trouble. Going on @CNBC @CNBCClosingBell  to talk $tsla live from Tel Aviv at 3:00 PM est.

12139) -0.7073) $TSLA starting to act like shorts are being forced covered by brokerage houses and margin calls. Just a guess by this insanity.  https://t.co/UXAlrgVqqy

12140) -0.4416) If you bought $TSLA under $300 and still haven't taken profits at $900, you are a fool. Plain and simple. Fool. Nobody ever criticizes someone for taking big profits. Only paper win until you sell and lock it.

12141) -0.8834) Maybe I'm crazy but I reshorted $TSLA at $930 again. Feels bad shorting this company :(

12142) -0.137) Check some OTM $TSLA put verticals. E.g., 470/500 21 FEB you can put on for about $60. Very low risk way to fade this move if you think it's overdone. (skew really works in your favor here, but act now... price won't last.)

12143) -0.5709) BTW - Don’t poke fun at $tsla shorts. Many got very hurt and some are out of the business.  We’ve all been caught in some type of pain trade in our career.

12144) -0.6671) If you buy a @Tesla car, you're an idiot! Take that $70k and invest in $tsla. In 2 months you can buy @tesla s for the whole neighborhood!  It's going to $2k or $3k in days!!!

12145) -0.128) @p_ferragu That’s a terrible argument. Who cares that it did 4x already - Stock had been mispriced for a long time. This is a re-rating of the stock that is well overdue. $tsla @ValueAnalyst1

12146) -0.4031) One thought about the Saudi liquidation:  One often gets the sense that the PIF is privy to MNPI either directly from $TSLA or from a "common friend."  The timing on that collar is sus AF.  The Saudi exit cannot be good news for the stock - it's either irrelevant news or bad.

12147) -0.6359) I did it...I shorted $tsla....really small amount...I just want to be right so bad...

12148) -0.2732) $TSLA could drop $250 points and still be up on the week.  And it's only Tuesday afternoon.

12149) -0.2023) Downgraded $TSLA today to neutral. Not a change in our views on the company, just recognizing that the stock more than quadrupled from last year’s lows. #Tesla  https://t.co/lSpWxnZAPr

12150) -0.128) SAUDI ARABIA PUBLIC INVESTMENT FUND DUMPED 39,000 SHARES OF $TSLA IN Q4

12151) -0.128) Saudi Arabia fund dumped nearly all of its Tesla shares in the fourth quarter, filing shows: @CNBC $TSLA

12152) -0.8556) Tidbit of the day.... 12,000 Robinhood accounts bought $TSLA for the first time yesterday..smh WTF is going on with this market. Completely insane!!!

12153) -0.5562) Opened a short on this monster $TSLA. Last one to short is a rotten bag holder!  https://t.co/2Q79Z6nn6L

12154) -0.1984) Those FOMOing like crazy on $TSLA and salivating at other people's crazy $TSLA gains,hard truth is you are deteriorating your mental toughness for trading.If you are not in, atleast be immune to the noise, dnt feel pity on urself Or You will fall apart sooner than later!!#truth

12155) -0.5535) no matter how bad a day you’re having, just remember, at least you’re not shorting $TSLA.  https://t.co/5C2gVLrQEL

12156) -0.587) Can anyone come with a justification of the current Market Cap of $TSLA?  *Not interested in bear-case of why the Market Cap is not justified!*

12157) -0.5994) If you thought Saudis would waste one cent of their Aramco IPO dollars 'hedging' their oil 'risk' by investing in $TSLA:  https://t.co/czMWtAVMYr

12158) -0.128) $TSLA trading volume is insane. 37M shares traded so far, and we're still only half way through the trading day. This is not short covering.

12159) -0.6739) Tesla is the 'WTF stock chart of the year':  https://t.co/WXEea4jEze by @wolfofwolfst $TSLA $TSLAQ  https://t.co/x1wv3R0WIT

12160) -0.3939) Been under a rock all morning and just seeing stock prices today. Bubble? Uncertain. Price adjustment? Uncertain. Only thing I'm certain of is I'm not selling, I'm in for the long haul. $TSLA  https://t.co/fDdUJ6UqS5

12161) -0.5267) Jim Chanos started shorting $TSLA at about $200/share👇  At $900 per share, he has lost 350%, plus interest, on his original short 🔥🔥🔥🔥  @zshahan3    https://t.co/p6PfaRlL9B  https://t.co/PTluxzuQcF

12162) -0.6908) Sometimes shortsellers like @WallStCynic get all self righteous about how they prevent bubbles. Not that I think $tsla is a bubble, but this rocket ship is sponsored by short covering. Shortsellers don’t do shit but try to kill companies and value for personal profit.

12163) -0.7003) @squawksquare Are you only betting on the stock falling back to $700 levels or are you actually crazy enough to think they’re going broke? $TSLA / $TSLAQ

12164) -0.4696) @CGasparino @Tesla @elonmusk are your sources telling you that the DOJ investigation into $tsla has ended? serious question. how about the NHTSA and NTSB matters? did elon settle the solar city lawsuit? how about the unprofitable nature of his business? $tslaq

12165) -0.3875) CNBC commentators and bearish analysts really don’t get $TSLA ‘s basic investment premise: Audi/BMW/Mercedes’ new EVs will not succeed because would-be EV buyers view OEM legacy brands as antiquated gas guzzling cars driven by aging baby boomers. #Tesla’s brand is uniquely EV.

12166) -0.802) according to this troll, its someone else's fault he lost all his mom's money betting that $TSLA would collapse by now

12167) -0.4019) @chamath @elonmusk $TSLA:   Days from $300 to $400: 976 Days from $400 to $500: 25 Days from $500 to $600: 18 Days from $600 to $700: 4 F$ck $800 Days from $700 to $900: 1 #tesla #greed #markettop

12168) -0.2003) $TSLA 1500 strike calls are 4.80 for this week and have 14K volume today! 🤯

12169) -0.8519) But for real tho. Can you imagine begin short $TSLA right now?  Try to. Put yourself in the shoes of someone who bet against this company and STILL has yet to cover...  🔥🚀🔥🚀🔥🚀

12170) -0.6802) If $TSLA has irrational movements in the short term that doesn’t mean Tesla is not a great company to invest in. $500, $600, $800 or $1,000 as an entry point doesn’t matter is going to grow a lot in the next 10+ years

12171) -0.3078) My take on whats happening w @Tesla $TSLA: It's pretty irrational given the company's metrics, BUT the shorts overplayed their hand. They compared @elonmusk to a criminal (he's not) they said his cars suck (they don't) He survived everything thrown at him and this is his reward

12172) -0.296) If no pullback happens this afternoon $TSLA will get a pre-mkt jam to $1k tomorrow

12173) -0.154) @RumiOkoka Yes. They are big. Like dinosaurs were. Didn’t help. Or like Nokia was. Didn’t help. When it is time to run, your weight plays against you. I am not saying VW is dead, they actually are the most active on the threat, but they are in trouble. Will be tough. #Tesla $tsla

12174) -0.886) No, the case that $TSLA commits pervasive fraud has not been impaired. The evidence of several distinct frauds mounts ~daily.  There is no credible retort yet elucidated.  Question no one dares ask, how many "goodwill" repair dollars were in Q4?   https://t.co/hGMf7vNWRt

12175) -0.8797) @Tesla while the $TSLA show goes on, so does the fraud. Today's addition of Tesla materially overstating Auto GM &amp; Net Income, lawsuit 15 w/ service records (Dhillon v). Now 15/15 show blatant, pervasive fraud  Functional tail light or side view mirror? Let's pretend that's not warranty  https://t.co/6bJngo6lDu

12176) -0.1027) Traders have many different skill sets and quality's that make them successful...u need basic understanding for entry level into TRADING such as TA/FA etc....but key ingredient which is hard to teach is instinct, know when to go for it...instinct told me $TSLA had more...blessed  https://t.co/X6VC9CShdC

12177) -0.25) Tesla's stock price more than doubling in just 2020 alone. @Lebeaucarnews adds some context for the company's meteoric rise.   @CNBC @carlquintanilla @SaraEisen @davidfaber $TSLA  https://t.co/BFWUCOBE8H

12178) -0.6059) Tesla’s ticker is four letters $TSLA  You know what else is four letters?  FOMO: Fear Of Missing Out  I’ve been wrong before and I could definitely be wrong again  But I won’t touch it at this moment in time

12179) -0.745) #PISTA @tastytrade says: What the what!? Sad financial industry &amp; news is such a joke! $TSLA going to $7K! BUT, let us cut our stake.  Firm That Called for Tesla Stock at $7,000 Recently Slashed Its Stake  https://t.co/EghpiHqBml

12180) -0.2263) ⚠️Important cult announcement⚠️  "Still grossly undervalued" -Your Pope Etienne I of Muskanity 🙏 $TSLA #CleanEnergyWillWin  https://t.co/QnTDOvYmt1

12181) -0.3182) Okay. $TSLA you starting to scare me.

12182) -0.7351) Buy Panic in $TSLA  A train wreck waiting to happen?   https://t.co/4pnGYFyr6Q

12183) -0.296) Next stop, $1069 $TSLA

12184) -0.483) O o - $TSLA’s incredible surge caused huge losses for #tslaQ. Am I Sorry for them? No. In the past 2 years, they successfully manipulated $TSLA stock price with concerted actions.   Latest loss by Tesla shorts: $2.5 billion on Monday alone - MarketWatch  https://t.co/UHHGTa8x5w

12185) -0.34) The year is 2021.  Every human in the world died from CoronaVirus.  $TSLA stock rallies to $420,000 per share as AI algos determine it will make 1 trillion dollars per quarter in revenue.

12186) -0.09) $TSLA what a war  enjoy watching but the game is too me expensive for me right now

12187) -0.7003) At 3:20 "Elon said $TSLA can do 20M car per year" around 2030  20M cars at avg $50k is 1T in revenue 😱   https://t.co/FFpnigXIKX

12188) -0.491) "This is an incredibly dangerous place to be buying the stock, and I have no doubt it will end in tears for many people" $TSLA  https://t.co/nxPSXIU2Yy  https://t.co/seNIlfczmo

12189) -0.128) If you bought $TSLA on New Year's Eve you'd have doubled your money by this afternoon. This is an insane share price jump.  https://t.co/B43VIDmqWF

12190) -0.4767) @CitronResearch This is wrong on so many levels.  $TSLA #NotSellingAShareBefore10000

12191) -0.2716) Okay folks.  @LJKawa has discovered the most insane stat about $TSLA's run.   By one measure, the stock is more "overbought:" than Bitcoin ever got during the entire 2017 runup  https://t.co/ghD7uWCPDS  https://t.co/O3Eenv69Db

12192) -0.6642) Talk shit. Make calls for fun, but don't short something like $TSLA without a clear breakdown.  Could go ahead and fuck your life up.   Being a hero has consequences.

12193) -0.765) "Hey I wonder how that crazy battleground stock $TSLA is doing these days?"  **checks $TSLA for the first time in weeks**  **struggles for vocabulary to describe what he sees, gives up, reconsiders views on witchcraft"

12194) -0.5859) @charliebilello Charlie desperately trying to explain why he missed $TSLA to his clients...

12195) -0.645) $TSLA  Say 'Market Cap' again I dare you! I double dare you! Say 'Market Cap' one more Goddamn time!  https://t.co/M2MbvDltfu

12196) -0.5574) Ah the 2018 wars... $tsla $tslaq

12197) -0.4003) Can Tesla's Autopilot manage to avoid the crash that is certainly coming in a matter of hours?  Stay tuned to $TSLA to find out!

12198) -0.4995) @orthereaboot Quaint Reminder that $TSLA didn’t make any money in the 4Q from selling cars (at a 450,000 annual rate). Tax credit sales of $133MM represented over 100% of net income.

12199) -0.1531) $TSLA  Looks like we crypto people are trading the wrong bubble.  https://t.co/KfvpbF7Trq

12200) -0.296) Theres no way $tsla doesn't have a major correction soon

12201) -0.5574) $TSLA is boring.  Boring a hole into the backsides of short-sellers.  https://t.co/GXX0ogqtZw

12202) -0.0772) Global economic fears about Coronavirus and election uncertainty post Iowa, and yet the stock market is way up.  Thank you $TSLA @elonmusk for giving the whole market a bump. 🚀

12203) -0.5423) fuck it. out the 3rd of 4 for $70. i'm not actually built for this Bull Elmer life $tsla  https://t.co/qncYD2b3pv

12204) -0.2732) BREAKING: Tesla rockets higher on bets the Coronavirus will cause a mass exodus out of cities via electric cars without the need to get out and pump gas, reducing the risk of infection. $TSLA #coronavirus  https://t.co/ZLe4rz58PM

12205) -0.25) Tesla has torn through half its average daily volume in the first 10 minutes of trading Tuesday.  https://t.co/PtJjM2BSl8 $TSLA  https://t.co/blFTAjd52t

12206) -0.3818) My theory on Tesla $TSLA move  Elon is in bed with China  China is using its emergency funds to buy Tesla

12207) -0.5908) Serious question for all $TSLA victory lap takers this week.  Did fact that Enron stock had a massive short squeeze and went from $30 to $90 in a few months before it fell to zero over next few months make it less of a fraud?  #AskingForAFriend #NotNewParadigm  #AllBubblesBurst  https://t.co/NCnHW5va0c

12208) -0.5106) To call it a short squeeze is an insult to short squeezes. This is a eurphoric bubble, not a short squeeze. $TSLA

12209) -0.2023) if I muted $TSLA from my timeline it would be empty

12210) -0.5423) What the actual fuck $TSLA

12211) -0.3989) Can you explain the psychology behind the $TSLA stockprice? Yesterday + 20% today again two digit gains in pre trading heading towards $1.000 INSANE! Fantasy $5.000? Not very long and #Toyota is only No.2 behind #Tesla  #mission203… https://t.co/Osxot7k78j  https://t.co/vWfTZIqN55

12212) -0.6715) No greater example of discipline over conviction than those who, when the pattern told them to, painfully covered their $TSLA short when it still had a 3-handle

12213) -0.834) I run &gt;200 short positions. It works on average, but about once a year one costs me as much as $TSLA/$TSLAQ.  It is never pleasant. But for someone whose starting position is 10x mine it must be frightening.

12214) -0.743) $TSLA +$255 in 2 days on news #CoronavirusOutbreak is actually worse than feared, the entire country is under quarantine, sales of everything are plummeting, and Shanghai factory likely completely closed into March. $TSLAQ

12215) -0.5423) $TSLA $890, up 14%, in pre market after 20% yesterday  Crazy 😮  @elonmusk warned everyone  https://t.co/S48ZBHFHoJ

12216) -0.1793) "The future is not looking bright for oil, according to a new report that claims the commodity would have to be priced at $10-$20 a barrel to remain competitive as a transport fuel." $TSLA #KickGas  https://t.co/ndXQT3P6mx

12217) -0.6973) The real shit !!   4 digits countdown!!   Hey @ValueAnalyst1, are u in?  $TSLA

12218) -0.1531) $tsla closes red today.  Calling the top.  Editors note: calling the top is for fools.

12219) -0.3412) If you haven't taken profit on $TSLA, you probably should.  https://t.co/kSrp2rcXVk

12220) -0.128) Quick thought on $TSLA's meteoric price rise the past month. I hope this has legacy automakers shitting bricks. They dragged their feet against electrification as hard as they could and now they're reaping what they sowed.

12221) -0.1027) What are the odds @timseymour takes another sick day today? Drink lots of fluids Tim 😂 $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/MbxjG3Yz18

12222) -0.5093) When people bring up Robinhood traders in a negative way in regards to $TSLA, remind them of this. It was Robinhood traders who were buying at the lows in June last year. The very same time when shorts like @Teslacharts and @MarkBSpiegel were sayin "Never been more short!" #Tesla

12223) -0.0688) " a good call with bad timing is just a bad call"   TIMING MATTERS.  $TSLA trading at 243.00 at the time of this call by #kazonomics 😳😎🤪 Learn from the #MJofTA here..   https://t.co/pthtIozbHy

12224) -0.4173) All three major $tsla facilities are marred with major safety violations that would make coal barons proud in addition to lawsuits/articles detailing extreme racist, homophobic &amp; sexist environments.  If $tsla is our future, it’s more dystopian than sustainable.

12225) -0.7925) My opinion why $TSLA is crushing it right now: we are witnessing a tectonic shift in society.   @jimcramer last week famously said fossil fuels DOA &amp; I think he's right - investors, GP's etc all recognize the shift in demand &amp; scope; emphasis on climate &amp; cleantech is real.

12226) -0.2023) There really is very little evidence of mass short covering on Tesla this year.   Percentage of stock on loan at historic lows and has stayed steady over the past month, according to the IHS Markit data.   $TSLA / $TSLAQ  https://t.co/8X9IfVGlWP

12227) -0.5023) "I just can’t believe this freaking stock. It’s insane,” says $TSLA bear Craig Irwin. “I think this is largely #FOMO”  https://t.co/ef0bzIfJWQ

12228) -0.4497) I’ve spent my morning reading some incredible investor letters from emerging and frontier markets managers on one screen, while watching $TSLA on another screen.   So many frontier companies have compounded earnings at unreal rates, but lost all through de-rating.   Meanwhile...  https://t.co/KRHwhPofrp

12229) -0.2023) This $TSLA move is parabolic - it’s panic buying right now. Looks like a Bitcoin chart. @jimcramer  https://t.co/rgz4MJNYc8

12230) -0.1007) When $tsla gets on the S&amp;P500 🔥 it's gonna be huge! 🚀

12231) -0.296) My buddy just said he's messing around with $TSLA options in his IRA and it's okay because it's fake money anyway

12232) -0.5574) $TSLA #TESLA  Holy shit.  https://t.co/DIKPEIpMI7

12233) -0.4767) Always thought I had a basic understanding of the market and the underlying mechanics. Boy am I wrong. $TSLA $TSLAQ  https://t.co/6hbP99ouUv

12234) -0.5106) It's too bad @elonmusk said they have no plans / won't raise -- they could have raised $10 billion easily w/ hardly any dilution and be set for life on this move. $TSLA

12235) -0.7003) Tesla stock now up the equivalent of 450,000 Model S in just two days 😱 $TSLA #Motherofallshortsqueezes

12236) -0.34) To quote @elonmusk... "HOLY FLYING F*CK, THAT THING TOOK OFF" $TSLA 🔥  https://t.co/WCWFjRlRv8

12237) -0.5423) My bad again: $900 is a done deal for $TSLA

12238) -0.4939) If my $TSLA rants ever stopped you from shorting the stock, perhaps it's time to buy me a beer...

12239) -0.4019) Everybody staring at $TSLA for the coming epic crash back to earth.  https://t.co/BAU4aVyUsa

12240) -0.6852) How timely was this call?!?!  Winternomics put you in front of a no chill trend at the perfect time 🔥🔥🔥  $TSLA just $243 at the time 🤯🤯🤯  Billions added to marketcap 💸💸💸  $TSLAQ decimated  People=Price #TimingMatters #FractalAnalysis   https://t.co/PYrwHsCNj1  https://t.co/0ZSg9A097P

12241) -0.34) A guy goes on CNBC and gives some crazy $TSLA targets and it tacks on another 60 points. More 1999 dejavu

12242) -0.7351) Ferragu has been one of $TSLA's biggest bulls. Today he writes; "Limited sources of further appreciation in the next 12 months. .. We see 2020 playing out fine, but it is largely expected, and we see some risks on the stock: end of the short squeeze, 1Q20 miss on gross margins"

12243) -0.296) Imaging shorting $TSLA around $300 a while back, and now starting up your computer to see it up $100 Pre-market on no news 🤢

12244) -0.3182) Tesla Shorts aka TSLAQ Have Lost $21.97 Billion To Date, Over 3X As Much As $TSLA Since 2008   https://t.co/hme8P9hVPj

12245) -0.6369) I remember when companies were forced to put out a statement such as "we know no reason for...."  $TSLA $TSLAQ

12246) -0.386) Gave a warning to my co-workers, if the $TSLA hits $1,000 today, I will probably be hooting and hollering in the office. They already know I am a little crazy, so it’s okay! @Tesla @elonmusk

12247) -0.4767) Some $TSLAQ jr. hedge fund managers &amp; minor league twitter traders getting buried tonight 😭⚰️   Un-freaking-believable 🧟‍♂️  $TSLA $862 +10.5% pre-market  https://t.co/Y7hTJWdpcA

12248) -0.2716) very strange that after 2 blowout quarters that the most heavily shorted stock in the world would go parabolic... $TSLA

12249) -0.68) Stop shorting $TSLA. What is wrong with you people?!

12250) -0.4019) My late afternoon $TSLA note yesterday... flows been insane here, and all institutional sized money  https://t.co/DOzHT3SKwt

12251) -0.0772) Serious question: Would a strategic investor jam up $TSLA stock by 10%+ pre market 3 days in a row?

12252) -0.2263) All replies next 48 hours:  ONLY essential communication ONLY fundamental discussion Obsess to minimize characters  No GIFs, memes, etc., please.  $TSLA #NotSellingAShareBefore10000

12253) -0.4173) They need to add more $tsla strikes

12254) -0.4215) Maybe, if you are old enough, you remember a long, long time ago when $TSLA broke $420?  $840 now.

12255) -0.6486) $TSLA is teaching the new kids a painful lesson the older farts remember well from 1997-1999.  Never short scarcity. Never short a paradigm shift in consumer appetites. Never. Not even if you are 100% correct in your valuation analysis. Just don’t do it.  Ass preservation is king

12256) -0.4939) $TSLA look at her go, all logic and reason is gone. Just greedy longs pilling in, and stubborn shorts blowing out. The top is near

12257) -0.6418) $TSLA $845 and moving - so sick

12258) -0.296) I suspect a lot of the people buying $TSLA here are buying because they have to.

12259) -0.0516) There won't be any Model Y deliveries in Q1 (may be a few). Musk will kitchensink this quarter and time model Y deliveries in Q2 to report record revenues/profits just like Q3 '18.  The share price buffer is being built to absorb the impact of a disastrous Q1 report. $TSLA $TSLAQ

12260) -0.7065) I dont see any reason to short $TSLA - let price show you it wants to fall. Showing NO signs therefore NO reason to short it. 848 first W5 extension, if break &gt; 848 and base, opens the door to 1070. That being said this is the final impulsive move to complete III.  https://t.co/yBSEqD6xX8

12261) -0.4215) You don’t wanna wake up and regret.  Time to move your $TSLA  sell limit orders to @ARKInvest suggestion $7000 (minimum)

12262) -0.6813) Since $tsla Cleared $340 it hasn’t been below the 8day for more than a session.  This stock changed lives the past 3-4 months.  Some for the better and some not so good if they fought it.  Most talk about this move with cynicism.  That’s not a trading plan!!!

12263) -0.7088) Porsche spent $1b developing Taycan, arguably a flop. Guestimate is $TSLA spent circa $1B, from ground up, to develop S (car of decade!) - in a world where no viable EV even existed, they had basic infrastructure, zero experience &amp; relatively tiny team. 👏@elonmusk

12264) -0.6114) $813 this morning, insanity! $TSLA

12265) -0.1511) Well Goodmorning! 🔥 $TSLA  https://t.co/CI04DoyhqF

12266) -0.6478) My math is not the best but I have a hunch that shorting $TSLA isn't a good idea right now  https://t.co/SPfQryumD3

12267) -0.5574) TSLAQ's excitement...um I mean concern..about what's happening in China should tell you just how miserable these people really are.   Note how pauly is trying hard to associate the virus with $TSLA  https://t.co/EEyFeGbWcd

12268) -0.8092) Many Wall Street $TSLA analysts have said that the stock is up because of a Q4'19 "earnings beat". If $TSLA is up despite an effective "miss", then will it drop when people realize the cash flow quality was this bad (misreported)?

12269) -0.0772) It appears $TSLA short sellers are slow learners. Never try to pick a top on a stock by short selling it. Wait until the stock is already in decline. Lots of money to be made that way and the risks are much less.   https://t.co/iFDUv5cDwJ

12270) -0.5436) Hysterical!   $TSLAQ - you so crazy.   $TSLA  #Burn    https://t.co/fE8tJu7jk1  https://t.co/oL7pFZfY8D

12271) -0.8225) I’ll never understand why $tslaq is so insistent on shorting $tsla... Stupidest group of ppl I’ve ever seen. Doesn’t bother me anymore now that I know they’re all broke.  https://t.co/fHbnRSn8Ck

12272) -0.3724) I don't know who needs to hear this, but car companies don't change in value by 20% over a weekend. $TSLA

12273) -0.2023) “I passionately despise Twitter and JackAss and can't wait to delete my account once $TSLA hits zero.” $TSLA(s)  https://t.co/anPAObysxS

12274) -0.296) “Doubled my short position in $TSLA (This is only for my personal account. No short positions in client accounts right now.)”  https://t.co/OffF5tynVr

12275) -0.7089) “I just choked when I saw that $TSLA went to $786 today. Really sucks after blowing up my account on calls last week.”  https://t.co/pnviVO7JNJ

12276) -0.2716) Tesla one of the most controversial companies in past decade with extremely large dispersion of beliefs.  My theory is that this dispersion of beliefs is starting to converge... and this is driving the stock price.  $TSLA

12277) -0.6705) “I think @SEC_Enforcement should prick $TSLA bubble-fraud before it hurts its reputatiom.” $TSLA(s)  https://t.co/DpVpTe2TE9

12278) -0.0516) I was out of the office at the close. Just saw that $TSLA finished up +$129.43/share ... Looks like the shorts ended up down around -$3.16 billion in mark-to-market losses for the day.

12279) -0.3182) Fuck it. Bought a share of $TSLA at 764

12280) -0.561) 🇪🇺 January #Tesla sales (registration) data have started to come in. A mixed bag, but not bad for M3, terrible for SuX.  $TSLA $TSLAQ  https://t.co/cDvegoNJj8

12281) -0.4019) The $TSLA 5-year chart is insane.  https://t.co/EDxVfFyImi

12282) -0.5423) Imagine a securities fraudster taunts critics knowing his brand new factory is closed indefinitely. 🤔  $TSLA $TSLAQ

12283) -0.1275) $TSLA now constitutes over 12% of my portfolio. I will not rebalance. I will not take profits. WE WILL HOLD THE LINE!  Ahem. Sorry, got a bit carried away. 😀  https://t.co/uAknFS65h2

12284) -0.2263) When hundreds of Billons are pouring into Sponsored FICC Repo from the Fed... funding hedge fund “collateral transformation”... out pops $780 $TSLA... let’s not for one second confuse this with anything fundamental. Cc @Stimpyz1

12285) -0.7227) These guys have been so bearish over the last year, making some ridiculous claims (which I held them to account on via twitter), but today you can see the fear in their eyes, despite the overall implication that we may have a correction here. $TSLA

12286) -0.296) $TSLA cars offer its drivers both a hospital operating-room-grade HEPA filter that protects the occupants from the Coronavirus AND an instant, on-the-spot cremation service should the former fail.  #disruptMondays

12287) -0.3818) @sklippitt @Wheels88Fortune @650OverLIBOR @TESLAcharts @Keubiko @DowdEdward @markbspiegel @4xRevenue @tslaqpodcast @BloodsportCap There are at least two active DOJ criminal investigations in to $tsla.  The stock price doesn’t make them disappear.

12288) -0.9287) @sklippitt @Wheels88Fortune @650OverLIBOR @TESLAcharts @Keubiko @DowdEdward @markbspiegel @4xRevenue @tslaqpodcast @BloodsportCap I make no judgments with respect to companies other than $tsla.  My comment is applicable to Tesla alone. At $tsla, the SCtY fraud was indisputable, the battery swap fraud indisputable, warranty fraud, “FSD fraud”, and this are just the ones that are 100%.  I’m missing many.

12289) -0.6385) Fitting tweet.  You so badly want to burn  "shorts" you  Sell vaporware Lie about buyouts Fake products to bailout family Endanger your customers lives  Most covered long ago.   In the end, it's your naive believers who will burn.  Along w you.  $tsla    Hope it was worth it.

12290) -0.4753) I know I've said this a number of times recently, but today's $TSLA stock rise was just nuts!  https://t.co/2Cf60WJ0Gj

12291) -0.058) My only hope is that on the other side of this nonsense, Elon Musk finally gets what he deserves. $TSLA  https://t.co/e3Consx2vv

12292) -0.296) And yet ... the #Fed sees no bubble in the markets $TSLA  https://t.co/KAHrqBvsVA

12293) -0.6486) @bgrahamdisciple The more you understand &amp; know about $tsla fundamentally, the worse off youve been. The key to this stock run over the last few months is to know as lil as possible &amp; be allergic to due diligence.  There’s never been a credible narrative that didn’t fall apart upon analysis.

12294) -0.4019) $TSLA now trading 80% above the 50 day, 36% above 10 day.  The daily and weekly RSI both are over 90.  The monthly RSI is over 80.  It won’t be the shorts who knock this down with a short interest ratio at 1.4 days to cover.  It will be the longs who kill the stock.

12295) -0.5994) $TSLA bitches  https://t.co/exQlvOCf7y

12296) -0.5267) $tsla full parabolic 140B this is stupid.  https://t.co/VZOTHPwmNG

12297) -0.9753) @elonmusk Is that your $Tsla fraud on fire or is it Space X fraud on fire or your drug use on fire or @PwC @PwCUS Worried that your  $Tsla 2019 financials r fraudulent 2 the point of @PWC another being able to sign off on them or it will bankrupt PWC PWC Us ChairTim Ryan ready for crime !

12298) -0.6371) I wake up to $TSLA up $130 amd daily volume of 46M. WTF!!!!!! Now I am starting to understand what the 2001 tech bubble must have been like. $TSLAQ

12299) -0.5423) When the stocks drops below 400, the disgraced Chinese Investors are going to storm $TSLA stores, demand their money back.

12300) -0.5067) @elonmusk $TSLA is configured for flight 🚀🔥 — liftoff!!!  https://t.co/0lVIuDGfCl

12301) -0.5106) This is about the point where we should see @officialmcafee tweet that he'll eat his own dick if $tsla doesn't hit $10k by 2022.

12302) -0.6901) To those who say that the current $TSLA stock price is nothing but a huge bubble as Tesla only sells some 350K cars while GM, Ford, VW sell many millions I say this:  Mobile phones sold in 2008:  Nokia: 468M Apple:   11M  #disruption

12303) -0.5661) @Masterplan2018 I have no reason to doubt it.    There was a 🐳 spending $ billions on $TSLA today.  Larry Ellison? Fidelity? T Rowe? Norwegian Sovereign Wealth Fund? Saudi Aramco? Larry Page? Sergey Brin?  No clue.

12304) -0.6808) Love it $TSLA fraud is so big it is no longer a fraud.

12305) -0.128) Did you make $$ today? It's my 2nd best day. But I guess bad play makes me a bit mad although much better than old me (would've bet 10 or 20 contracts)..lol.   Didn't really expect $tsla shorts to cover today. Must be China battery deal has something to do with it.  $1000 soon.

12306) -0.4767) Retail has always bought lows and sold highs in $TSLA for as long as Robintrack has been recording.  However, starting just after the beginning of the year, Robinhood traders have been aggressively buying into the stock even as it continues to rise meteorically.  https://t.co/kBM4fUS0o0

12307) -0.7331) If you ever find yourself feeling sorry for #ToiletBoy @.markbspiegel then just remind yourself how much of an arsehole he is with this ignorant, unfunny and outright racist tweet: #DumDums $TSLAQ $TSLA @BarkMSmeagol  https://t.co/kxrgifkWbZ

12308) -0.7506) - Tweet about how Tesla is a scam that I plan to retweet for clout when there is finally a crash -  $Tsla

12309) -0.4137) How come there's no calls for the SEC to investigate $TSLA's rather insane price rise on analyst targets 10x over the current price?  Why is a price rise like this considered the most normal thing in the world?

12310) -0.1739) 46 million shares of $TSLA have traded today! Thats nuts!

12311) -0.6369) Don’t make Isaac Newton’s mistake, which left him broke... $tsla  https://t.co/VcU4MZz22t

12312) -0.34) @morganhousel Biggest mistake is shorting anything with bubble-like behavior. I closed my $TSLA short so fast because it reminded me of crypto when the bubble was inflating. Should have flipped and gone long.

12313) -0.3885) The fight vs the FUD is a hardworking job lol $TSLA

12314) -0.6758) @cppinvest And totally fail to understand that 1) w/out govt freebies $TSLA lost money again last Q 2) they have no advantage in tech or batteries 3) mislead investors with their financial statements (specifically GM, SG&amp;A, etc) 4) not growing exponentially 5) not disrupting anything

12315) -0.5439) DON'T BRAG ABOUT YOUR GAINS WHILE BILLIONS LIVE IN EXTREME POVERTY!!  Our work is just starting.  $TSLA

12316) -0.34) $TSLA I think the company is going to do a secondary (sell stock) or do a convertible, or something. This stock move is crazy.  Oddly, it would be bullish (long-term) if they did -- this is time for them to raise if they need capital. Just do it.

12317) -0.3182) If you want to see misleading reporting on $TSLA, look no further that Reuters.  This article lists January results for other OE's but only 2019 results for $TSLA.  Perhaps because they only sold 194 units?  Up only 24 units despite adding Model 3.    https://t.co/OeINT4PbBK

12318) -0.75) “I’m done with fossil fuels. They’re done… We’re in the death knell phase… It’s going to be a parade that says look, these are tobacco &amp; we’re not going to own them… They're tobacco, I think they’re tobacco!”—Jim Cramer ⛽️🚭 $TSLA #Tesla #EV @elonmusk  https://t.co/2Rx3Hvatiy

12319) -0.2023) @orthereaboot My Sep'20 puts were up 4% on Friday, despite a rise in $TSLA that day, yet only down 3.8% today on a 17% rise in $TSLA. Strange.

12320) -0.4767) What’s worse? Having the corona virus or being short $TSLA  https://t.co/lT4uenezNy

12321) -0.5432) I wonder how many $TSLA shorts won't be able to to retire or send their kids to college because they thought this 🤡 and his $TSLAQ ilk knew what they were talking about.  This is not a gloating text. Innocent family members of short sellers are going to suffer for no good reason

12322) -0.296) Made so much off $TSLA I could buy one. No cap.

12323) -0.7275) My friend bought $TSLA at $760. I applauded him and told him to quit being a weak little fuck. An 85% drop is nothing and he should be able to take it unless his  fascist cop job comes with a vagene +yeast infection.

12324) -0.2732) 98% of Fintwitter bought $TSLA in size, at the low, and of course, never sold   To wit: Meet "#1 Ranked Bitcoin Analyst" @JacobCanfield  h/t "MrBAnon"  cc: @SECEnfDirectors @SEC_Enforcement  https://t.co/l3bB4i0GHP

12325) -0.6512) That's why if you look at my tweets since October I kept repeating that im NOT fighting $TSLA short if it reclaims $305. Only day trades or quick swing trades on WEAKNESS or negative catalysts ONLY. And now we're at $780+. Trying to find the top is a sucker's game. Let it form.

12326) -0.4149) $TSLA, a company now worth over $750 per share, was just sued for a series of mistakes including a colossal refund error that led to a car being "towed from the parking lot of Mt. San Antonio College" without consent. Ziliang Bai v. Tesla, Inc.:  https://t.co/YAwpN3PjqV  https://t.co/R2M9MIDUrE

12327) -0.5826) Instead of covering their losses, they keep buying calls instead (to hedge), which fuels the squeeze even more since Dealers in turn are hedging those short calls by buying more common stock (they're not dumb enough to short $TSLA calls without hedging). It's a total cluster fuck

12328) -0.25) Small tips: retail investors alone are unable to make a $100+ move on a $136B+ market cap company in 1 single day😉   $TSLA

12329) -0.4939) $TSLA a more explosive gainer than that 8 year-old chess prodigy moving the pieces with Cheeto dust-laden fingers who destroyed you in 25 moves at your local club.

12330) -0.1779) $TSLA $TSLAQ $1,000 on deck potentially...not kidding unfortunately...I am biased higher for now

12331) -0.4215) Tesla passed the $700 per share mark today.   $TSLA shorts collectively lost $2.47 billion when the stock went up about 15%. That made for a total of $8.31 billion market-to-market losses in 2020 so far.   https://t.co/E8NJv38Ynp

12332) -0.3612) Why wouldn't $TSLA do a stock offering at the current $745 price to payout/retire all of its ~$13B long-term debt? 🤔 $TSLAQ

12333) -0.4588) SOMEONE HALT $TSLA THIS DECLINE IS UNACCEPTABLE

12334) -0.2677) Nailed it!! Called the top on Tesla @ 650!  Holy fluckery thank god I stayed long. What the hell is happening here? $tsla $tslaq

12335) -0.109) It will undoubtedly go higher and pass many more huge companies in market cap but, in what real world does this make sense and when will its day of reckoning come? We just know that parabolic moves never end well. Never. $TSLA

12336) -0.4404) $TSLA trades like a small-cap biotech Co which just cured cancer

12337) -0.4215) Enough is enough. I pledged I'd never do this, but I've shorted $TSLA at 756.62 with a stop at 800. This is bananas.

12338) -0.5255) $tsla cratering. not even up $100 anymore. sad!

12339) -0.3952) I'll put the conspiracy out there now.  Everyone knows $TSLA isn't worth its current trade value, this is all being done to make short sellers gun-shy for when the market starts to tank for real.

12340) -0.4019) $TSLA now the market leader, when it crashes the whole market will crash

12341) -0.0516) #PISTA says: I've been around a few decades. This $TSLA move is right up there with the craziest moves I have seen in all my trading years @tastytrade

12342) -0.6249) $TSLA what the fuck is happening? I'm falling out of my chair watching my account right now.

12343) -0.6486) $TSLA murdering call sellers

12344) -0.7506) $TSLA cruel and unusual punishment in progress no other way to describe it

12345) -0.0516) The irony is that given this move $TSLA is going to make some shorts a lot of $$$ at some point.

12346) -0.5574) $TSLA holy shit

12347) -0.8779) Any fraudster who arouses too much suspicion, draws too much skeptical attention, and who cannot broadly project “decent” character, eventually fails. It’s just a matter of time. $TSLAQ $TSLA

12348) -0.6808) Simple Answer: Elon Musk’s big mouth is Tesla’s number 1 risk factor. Accounting fraud isn’t just a quantitative issue (it’s not just about the numbers). It’s a qualitative issue, too. $TSLAQ $TSLA

12349) -0.5859) I’m just a window shopper with $tsla that stock will ruin lives, marriages, households and generations

12350) -0.6633) $TSLA at $750  there's no even any jokes to be made anymore like wtf  STOP GOING UP

12351) -0.6486) The buying in Tesla makes zero sense. If institutional you could have bought the whole company for half the price a few weeks back. This is bizarre and strange trading action. No this is not short covering $tsla $tslaq

12352) -0.8608) $TSLA stock freaks me the heck out. I think long term it's fine, but anyone swinging that thing might get hurt badly. Holy cow.

12353) -0.5719) @GerberKawasaki Thing is, IMO, the stock should have moved fairly steadily to this level. Instead, it ran sideways for a few years, then got rekt after Q1 results when Wall St couldn't figure out the auto industry is seasonal. $TSLA is just making up for lost time. 🔥🚀

12354) -0.0516) Argus Research analyst Bill Selesky raised Tesla's target price to $808 from $556 📈💰 Selesky raised its earnings per share estimate to $8.01 from $5.96 and expects to double by 2021🤑🤑  @Tesla @elonmusk 🔥 $TSLA $TSLAQ  #Tesla #TSLA #tslaq   https://t.co/kW3XQNkUjq

12355) -0.7351) This is crazy. This is crazy. This is crazy. #tesla $tsla

12356) -0.2498) @elonmusk @CathieDWood @sbarnettARK @jwangARK @ARKInvest $TSLA is having a really nice day today! 🔥🔥📈  https://t.co/EgkX0L7yNS

12357) -0.658) If you still believe TSLAQ narrative about $TSLA is a fraud or Elon is a lier, you need to get a brain checkup, immediately!!

12358) -0.4767) You might think $TSLA being up 11% today and up 73% YTD doesn't concern you but it should. It's an example of the health of the equity mkt right now. Just a lot of crazy going on that doesn't make sense until its too late.

12359) -0.4926) So all the BSing from TSLAQ thru out the years are worthless now?!  Market Awaken it is.   $TSLA

12360) -0.3804) ...and $TSLA hits almost $730. Do you need any additional proof that this world turned totally nuts?

12361) -0.2263) Imagine in a struggling Auto industry being short the only name seeing explosive unit growth $TSLA  Said it a thousand times, the dumbest rationale for being short something is "valuation", that only applied when a Co's growth cycle stalls

12362) -0.4019) $TSLA 2016-2020 mark-to-market short losses are -$16.05 billion

12363) -0.4576) $TSLA squeeze is absolutely insane - a reminder to the vw squeeze a decade ago  https://t.co/qW0ynN1Eu2

12364) -0.4019) $TSLA added $30 billion in market cap since this tweet.   This was 9 days ago. Insane.    https://t.co/ud81zxIVw4

12365) -0.4588) Could be some institutions forced to close their $TSLA short positions, purely just my guess.

12366) -0.8658) Someone somewhere has got to be crying. These short sellers are dead. Looks like the only fraud was Tesla Q.  $tsla #tesla

12367) -0.4019) $TSLA and larger cap tech stocks had the largest mark-to-market losses on the short side of the market in January.  https://t.co/B5XkrM0bgp

12368) -0.3818) There is a big story here:  Our EPA purposely targeted and sandbagged the Taycan Turbo's official mileage range, while allowing $TSLA to puff up theirs to whatever Elon decides.  And it even increased during the 4th Q conference call.  Pathetic.

12369) -0.4019) $TSLA short int is $15.86bn ; 24.38mm shs shorted; 18.22% of float. Shs shorted down -1.37mm shs,-5.3%, over last 30 days as price rose +47% &amp; down -651k shs,-2.6%, last week. Shorts down -$7.41bn in 2020 mark-to-market losses; -$1.58bn on today's +9.94% move  https://t.co/sckevFUGv3

12370) -0.2621) My $670 buy stop on Tesla triggered this morning. Tesla is now my largest holding by default. I can't believe the irony of what is happening. All rationality has left markets. $tsla $tslaq

12371) -0.079) @iliketeslas @PJHORNAK No. It’s more like $TSLA WAS broken for many years and NOW is correcting to where it should have been as early as early 2018. This is just the beginning.

12372) -0.7096) In January 2020, Tesla's short sellers suffered record losses of $5.8 billion🤡💰🤕  @Tesla @elonmusk  $TSLA #tslaq   https://t.co/wGyO3FP85H

12373) -0.811) Coming in hot!!!! 🔥🔥🔥 $tsla  https://t.co/j6LnxNo609

12374) -0.3612) $TSLA - is this an exhaustion gap?  “Not yet. Still too early in its run.” @IBD_CGessel  😳📈  #IBDLive  https://t.co/axxUhCxhBo

12375) -0.1655) Wright’s Law is a key reason why $TSLA will achieve the highest return on invested capital in the entire industry. This alone justifies higher valuation vs industry comps.  Recall the only 3 factors that matter for equity valuation in the long run: growth, leverage risk, and ROIC

12376) -0.8591) As painful as it may be, I have to admit $TSLA bears, including myself, have been dead wrong in terms of stock price.

12377) -0.4019) Easiest trade of the morning @QTRResearch. $TSLA Hit $735. This is why you get up at 7 am. Stock was $653 at 7 am. I see @johnscharts killed it with options.

12378) -0.296) On a day when $TSLA's Chinese factory sits idle and the global supply chain is screeching to a halt, Cathie Wood ups her already fanciful price target to $7,000. Perhaps she's clairvoyant. Or perhaps she's trying to distract from something. Meanwhile, she's selling.

12379) -0.7414) I don’t know who’s more clinically insane . People who are buying on this $tsla candle or shorting it . Sick

12380) -0.3353) $TSLA going absolutely ape shit - feels like it's blowing someone up

12381) -0.7993) ‼️⚠️BREAKING: $TSLA REACHES ALL TIME HIGH OF $700!⚠️‼️  $TSLAQ Shorts are screaming and scrambling!🔥🧨😩🩳🤮🧨🔥  #Tesla  https://t.co/fA3nv9aqER

12382) -0.2263) $TSLA can’t be stopped 🦍

12383) -0.34) “The whole world just put Porsche as the top EV in their mind.  You"re screwed, Telsa.” $TSLA(s)  https://t.co/RFegJjhVq5

12384) -0.7096) To add insult to injury, the Dutch are giving subsidies of €4k to private buyers from 7/1. Sadly enough, only up to €45k.  Easy for #Tesla to lower prices to fit? No, bc German subsidies require those prices to be the lowest, NL can't be cheaper to qualify in DE.  $TSLA $TSLAQ  https://t.co/ysH2qLKgOg

12385) -0.2617) But seriously, what about the stock price.... $TSLA  https://t.co/MsRJD6OFXv

12386) -0.34) Unfortunately, I realized too late that $TSLA stock has a biodefense mode.  🤦‍♂️

12387) -0.7579) Even if you hate #Tesla (imagine that) you have to regret not buying $TSLA in May 2019.  https://t.co/HBG1aVGgJA

12388) -0.4753) So, China drops 8% and $TSLA brushes all fears aside and is up 2.7% in pre-markets! 🚀

12389) -0.128) ICYMI @WPipperger last night surfaced a german autobahn range test between a lowered model 3 RWD long range vs a taycan that showed the RWD model 3 driving only 8 minutes further than a Taycan. (18kms further, at 131kmh avg). $tsla  https://t.co/xEqQT5CsDW

12390) -0.5987) $TSLA to open green ✅today 📈‼️on news that Dana Hull🙅🏻‍♀️ has taken a break from Twitter and despite Russ Mitchell’s endorsement of the 3 ⭐️🤡 Chartcast.  ( 👩🏻 📸 1 😡 🌞 🏠 episode)  $TSLA continues to show  🦴 🥶 returns  https://t.co/Pa4n3S6Psx

12391) -0.6739) How long till the authorities put an end to this Toyota FRAUD?  $TSLA

12392) -0.891) @thirdrowtesla It is hard to fathom the depth of incompetence here.   He could have closed the trade for 94% of max profit - for literally 5 months. He was either too lazy, too greedy, or just plain too dumb.  Anyone who gives this guy money deserves to lose it. $TSLAQ $TSLA  https://t.co/CybEWQtqaS

12393) -0.25) $TSLA Cybertruck pre-orders were refundable. Model Y is not. Does this imply some of the initial truck orders have cancelled?  https://t.co/dffd8feUjY

12394) -0.3182) Broke: coronavirus isn't a big deal Woke: maybe it is and $tsla will be negatively impacted Bespoke: elon has dirt on xi and one again he'll emerge all for the better.

12395) -0.8675) @elonmusk Whenever some very bad news is about to drop, you get manic.  So, how bad are things going in China? Closed indefinitely?  $TSLA $TSLAQ

12396) -0.4215) This weekend's tweeting is meant to distract from something, and I'm starting to think the collapse of the Chinese economy (and by extension $TSLA's growth narrative for 2020) isn't it...

12397) -0.5106) #FraudWatch day 368  They’re angry little #DumDums, aren’t they  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/ZT6UxZ6hLJ

12398) -0.2942) Party at Elon's house! Lots of AI planning involved, surely. But sadly he hasn't had enough time to answer this simple e-mail he, his CFO, his Acting General Counsel, Board, regulators, auditors, and auditors' regulators have received daily for the past four days. $TSLA  https://t.co/cgfUaWJXZZ

12399) -0.8591) China's CATL signs battery supply agreement with Tesla | Reuters  🔥💥🔥💥🔥💥  $TSLA   https://t.co/1x8urIrnt7

12400) -0.2642) $TSLA - I cannot stress this enough.  Chinese companies will struggle coming back in line and when they do, Small players will get completely screwed in terms of priority.  Tesla does not have the experience to play this “priority” game.

12401) -0.5574) Don't look at Q1 results. Totally sold out infinite demand EV revolution leader $TSLA suffers from, checks notes, "seasonality"  https://t.co/CAAsiMcP1s

12402) -0.3818) Precisely the reason. If the new $TSLA alien battery tech is blowing Elon's mind. Normal ppl's minds will just instantly evaporate at molecular lvl, leaving Wall st analysts dumbfounded esp.   @ValueAnalyst1 @jpr007 @TeslaPodcast @DirtyTesla @jimcramer @gwestr

12403) -0.3818) Porsche wasted $11.2M on their 60 second Super Bowl commercial which was a short, cliche car chase scene. Nothing said about the car’s capabilities/range/tech.   Their motto at the end:  “Finally, an electric car that steals you.”  Enough said. Stay long $tsla

12404) -0.9022) I've been reluctant to subscribe to the MP Block List, choosing only to block on a case-by-case basis. Unfortunately, Elon has made it clear yesterday that he's going after anyone who is skeptical of his Master Plan. My apologies to $TSLA $TSLAQ folks for any collateral damage.  https://t.co/v6GZKuvjy4

12405) -0.5661) When, liar? When? $tsla $tslaq #Tesla  https://t.co/apMgT5BoDq

12406) -0.5719) $TSLA - Translation:  No 1,000,000 Robotaxis.  No Tesla network where owners were promised to make at least $30k this year.   All lies to raise $2.3 billion in capital.

12407) -0.6369) Part of a thread in which the criminal Elon Musk lies extensively about Tesla fleet data collection abilities while attempting to recruit AI engineers to build FSD capability he has been taking money for since 2016. He belongs in jail. $tslaQ $TSLA #TheTheftLifestyle  https://t.co/u6LHHxkHju

12408) -0.5574) “It reports directly to me.”  Sure, we all want an angry, drug-addled narcissist, famous for firing loyal employees in a purple rage, as our immediate boss. $tsla

12409) -0.4131) $TSLA - If you are complaining about this, then it’s NOT the most advanced car in the world.

12410) -0.4759) You would think that Tesla Energy/ Solarcity  could spring for some Model3’s for their service cars but instead they tool around in these Chevy Sonics. They really should be embarrassed about this $tslaq $tsla  https://t.co/IZacuIDo7h

12411) -0.4019) If $TSLA can sell EV at 20%+ margin, they could support other manufacturers via licensing deals to do same. Everyone else loses money on EVs. It’s quickest way to flip 80 mill ICE sales per year to EV, and #Tesla could take day 1-2% gross revenue on those sales with zero cost.

12412) -0.2303) @TeslaStars @stevenleebeyer1 @Tesla The recent $TSLA surge will lead to millions of new vehicle sales that would not have happened otherwise.  Not only that many people were waiting on the sidelines due to imminent bankruptcy FUD, but also a shareholder would never buy another vehicle.  #NotSellingAShareBefore10000

12413) -0.6597) Alternative headline: #Tesla customers are upset at $TSLA Build Quality and Elon's Lies about it.   https://t.co/ermQEZbYyB

12414) -0.6908) “$136,000. I did the math today. This is how much money I have lost in the last year and a half of shorting Tesla by using deep OTM puts and other stupid levers.” $TSLA(s)  https://t.co/YudRfvuKJH

12415) -0.0772) Tesla Dyno Mode Transforms Any $TSLA Vehicle into a Serious Drift Machine   https://t.co/zsu1OKeuNJ

12416) -0.296) Ask @EmpireStateDev. They are knee-deep in the $tsla Riverbend corruption cover-up.

12417) -0.6808) @elonmusk @nichegamer @justpaulinelol No one is paying me anything to chronicle your endless lies, Elon. While you're complaining about trolls, tell us: will $TSLA own up to its $41.2MM obligation to NYS this year, or instead hire a bunch of temps at minimum wage &amp; hope NYS turns a blind eye?

12418) -0.5994) Fate loves irony. And criminals hate competition.  #TheSociopathicBusinessModel #FraudFormula #Tesla $TSLA  https://t.co/cyhKqFb7b4

12419) -0.34) @teslanalyst 🙋🏻‍♂️  Been all-in $TSLA since 2016.  Hell of a ride 🎢📉📈🚀🤪👍🏻   https://t.co/wL5JWpeNaW

12420) -0.2342) Visited a $TSLA Gallery  Didn't get much new info.  Overstaffed, IMO. 5-6 salespeople, all looked under 28. I recognized one guy who'd been there ~15 months.  The sales guy I spoke to was seasonal who transitioned to full time.  WAG, $TSLA is paying less per sales person.

12421) -0.4003) C’mon guys be nice. $tslaq shorts lost $6B last month alone. More than the company they’re shorting has ever lost. Be humble...  Just kidding! Jan was only the 1st chapter to a long book. Look fwd to seeing these FUD-spreading f*ckers squirm this month and beyond. $tsla

12422) -0.4215) All your fears confirmed here. $tslaQ $TSLA #coronavirus  https://t.co/ybwGgVqWMm

12423) -0.765) community which is thriving off blatant fraud. I actually despise the fact I am making money on this investment because I understand the bigger picture is that fraud, immorality and a lack of ethics appears like the easiest way to achieve the American Dream. $tsla $tslaq #fintwit

12424) -0.128) "What competition?" Norway edition vol Jan.  E-Tron keeps to luxury segment alive, and kills it: close to MS+MX in whole 19H2. Merc EQC outsold SuX combined  by 2:1. Taycan a tie w/ MS.  M3 better than Oct. Let's see how it holds in Feb-Mar.  $TSLA $TSLAQ  https://t.co/g4CqbEC23T

12425) -0.4588) 23.4% of $TSLA's global production capacity is sitting idle in Shanghai. $TSLA said this week that its Shanghai factory should be running by Feb-10th.   Vietnam just banned all flights from China, Hong Kong, &amp; Macau until May 1st.

12426) -0.2263) Questions From a Skeptic on Tesla's 4th Quarter $TSLA $TSLAQ  https://t.co/Tndgs4qhT1  https://t.co/oOM447t0T5

12427) -0.8573) This is fake, but it might take a dose of Seconal big enough to stun a horse to stop the criminal Elon Musk from doing this. Nevertheless, medical professionals all over the world are now experiencing The Realization after his asinine "virality" tweet. $tslaQ $TSLA #psychopath

12428) -0.8555) A little reality for the already weak "China Growth Story" which of course no longer matters because Germany. It's a wonder we all don't just laugh ourselves to death. $tslaQ $TSLA #InfiniteElonShellGame

12429) -0.3612) $TSLA's Zach Boy CFO said this week that Shanghai GF3 will be impacted by #coronavirus by "1 to 1.5 weeks". No mention of Fremont being impacted by lack of China-sourced parts. This is a great thread about how wrong Zach was. GF3 will be idle in Q1. That's $3m/day in cash burn.

12430) -0.4532) presenting Tesla to $1T in 20 mins at Fully Charged Live in the Gigatheater!! Come through if you are here! $TSLA @FullyChargedShw @FullyChargedDan

12431) -0.4767) “Anonymous website spreading sponsored BS to 670,000 followers in an attempt to manipulate stock prices permanently suspended from Twitter” 💁‍♂️ $TSLA

12432) -0.0572) $TSLA #TSLA Shorts may not want to see this one... #Tesla @elonmusk  https://t.co/a1y6TaFCzp

12433) -0.3818) Imagine looking at this car and thinking “wow finally, THIS is the car that will finally turn tesla around from losing hundreds of millions per year to making billions per year.” $TSLA $TSLAQ

12434) -0.2263) Only real fears for $TSLA going forward are short term macro/seasonality issues disappointing the lesser informed during Q1. If this happens I'm committed to adding a significant chunk of shares on any pull back, then I'm locked &amp; loaded until 2025. Conviction = high $TSLA #Tesla

12435) -0.2677) 🔊 FLASHBACK 🔊: Mad Money Jim Cramer says Sell Tesla Motors (TSLA) IPO!  "Sell Sell Sell!" - Jimmy Chill  $TSLA IPO'ed at $17.00.  $TSLA today is $650+ (3,000X return).  Glad to see Jimmy @jimcramer back on the Tesla rocket ship! 🚀  #Tesla  https://t.co/roJfw4e9Ok

12436) -0.5574) So ✅ @realvision &amp; @wolfejosh have no idea what they are talking about. $tsla #tesla 🔥

12437) -0.8818) Folks I was never blocked from @zerohedge but stopped following it like I only look occasionally $tsla stock.   Being permanently negative, arrogant and insulting along with bearish for a decade isn’t type of news feed that added value to my life.  #justsayin

12438) -0.2003) “Tesla has tremendous demand… When you watch the big game this weekend, what you’re going to see is ad after ad for car companies, remember, @elonmusk does not need to advertise. What does that tell you about demand? It’s off the charts!”—Jim Cramer $TSLA  https://t.co/yRbVhWNuac

12439) -0.4588) Tesla is beating their competitors in every market. They are years ahead of any competition out there. Model S VS Taycan, Model 3 VS ID.3, Model X vs E-Tron, Model Y VS Mach-E. #tesla $tsla  https://t.co/GgqgjGidso

12440) -0.1989) Sorry.. but @jimcramer is no hero.   He is merely following the big money. This was BlackRock inc last month,  who are ..* checks notes * ... the world's largest asset management company    https://t.co/nbb2fQv5pa  $TSLA 🤟

12441) -0.25) $TSLA - @ZKirkhorn , has no idea how many of Tesla’s employees are from the inner provinces. There will be a greater impact than just 1 - 2 weeks.  “Tesla CFO Zachary Kirkhorn expected a one to one-and-a-half week delay for the Shanghai-built Model 3 due to the factory shutdown”

12442) -0.7218) I know my posts are nearly always about $TSLA, but sharing something I posted on #Brexit earlier. It’s a very sad day for 10s of millions of Brits. There was a massive fake information campaign, &amp; many millions of Brexit voters did so under false pretences.   #BrexitDay  https://t.co/NmvxIpYypo

12443) -0.4601) #FraudWatch day 366   Tin foil hedge got suspended from twitter finally and the #DumDums kinda lost their minds.  And #BABYcharts felt the need to summon PaulieDumDum out the blue again. Well done @BALetner   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/BWGadnaK6k

12444) -0.2023) As $TSLA skyrocketed to over $650 a share $TSLAQ cried fraud, lost billions all while Elon liked memes and recorded a song. 😂  https://t.co/NaKG4ZS6dp

12445) -0.128) $TSLA was my tiny high risk side bet in 2016 with most retirement funds in boring index funds. $TSLA is now 40% of my retirement savings 😂. I won’t balance though.  https://t.co/eMs1kDp3sk

12446) -0.3612) ‘…If you can’t find me convincing you to short $TSLA to zero anymore, it is because I have moved on to viruses.. they are much easier to fear mongerer. If I tweet enough about it folks will forget about my attacks on $TSLA…’

12447) -0.8617) $TSLA keeps getting attention from us because $120 billion of misallocated capital—two Lehman Brothers' worth—can hurt an awful lot of people. And it's also a very fat, tired canary in a very deep coal mine.  https://t.co/pf0jyWiPgM

12448) -0.1729) @jimbo69ny Take a look at how $TSLA is screwing Buffalo, Jim. Then, you'll understand. You live in the provinces. You are a homely rustic. You do not matter. I truly wish you had paid attention to $tslaq long ago.

12449) -0.5267) $TSLA closed up 0.77% today, as though it has no new factory in China it's depending upon and no exposure to China in its global supply chain. Solar panels aside, public records indicate otherwise. SiO is an anode material for Li-ion batteries. A lot is coming from China.  https://t.co/QEVcL97Vt3

12450) -0.8779) Had $TSLA skipped the idiotic Model X, &amp; realized a crossover was much more the taste than a sedan, &amp; thus made the Model Y instead of the Model 3, it would be thriving instead of losing hundreds of millions each year.  Now, the Model Y faces intense competition. It is doomed.

12451) -0.9509) It's a crossover, all right. A crossover from a fairly ugly, poorly made, dangerous piece of crap to an even uglier, poorly made, dangerous piece of crap. For the extra money it costs, your kids have room to take their dolls along.  $tslaQ $TSLA  https://t.co/DiGs0u4Y5y

12452) -0.1027) "Jeff Reeves argues that #Tesla $TSLA, +1.52% may join the S&amp;P 500 $SPX  by the end of the year by meeting S&amp;P Dow Jones Indices’ financial criteria."   https://t.co/u4dgQJ51ll

12453) -0.107) HEPA filters DO NOT kill viruses  HEPA filters WITH hospital grade, stable mounted (little / no turbulence), laminar flow air systems extract viruses BEFORE they hit air  Unstable, turbulent Tesla HEPA filters DO NOT remove viruses because NO CAR has laminar flow systems. $TSLA  https://t.co/LslFJabQw8

12454) -0.1027) Problems of Porsche Taycan worry buyers, change of heart  for a Tesla Vehicle  $TSLA #Tesla #Porsche #Taycan @GerberKawasaki @DaniloKawasaki   https://t.co/qKDL9pXolR

12455) -0.296) I will eat my shoe if $TSLA valuation is not more than all major automakers combined by 2025 And I will let @ValueAnalyst1 eat his shoes, if this is not the case by 2022 🤓  #shoebets

12456) -0.0772) “Don’t doubt your short”  ☝️@elonmusk, are you taking song requests? 😁   .. because we do need dumb $TSLA short shorts like these on the other side 👇  https://t.co/eQaJgHTthq

12457) -0.502) I repeat, $tsla defense is now Musk is delusional/insane &amp; words have no meaning bc everyone knows Musk believes crazy things  So having exactly no commitment or agreement of any kind can subjectively mean this:   https://t.co/IwxxirVyqj

12458) -0.34) Another day, another ATH $TSLA 🔥🚀

12459) -0.5423) $TSLA defense in the $420 takeout fraud- where no terms, size, or other standard preliminary steps ever existed, &amp; was "priced" at 1.2x- is that Musk "believed" the funding was secured.  In other words, @tesla defense is Musk is delusional/insane &amp; has no grounding in reality  https://t.co/XJ5Kh2RP0h

12460) -0.9119) So many trapped emotional shorts in $tsla. Up 1.5% in a deep red market. Close at all time highs. This is the bears worst fear. They have huge amounts of capital tied up in a massively upside down bet. Not the time to be short on cash.  Don’t marry your bad decisions!  https://t.co/AArkyi8iyb

12461) -0.5574) The fix is in for the stock. Ridiculous trading today, given what’s going on, and their outlook in China. 100% manipulated. It’s gonna take a lot more than that to bring it down, trade carefully.  $TSLA

12462) -0.4404) Has to be a real frustrating day for $TSLA shorts. Market down 2% and the stock up 2%.

12463) -0.7964) 3) While $TSLA car counters have indicated weakness across the board in the US, things could get worse: it appears that 40% of parts for Fremont's Model 3 come from China. When $TSLA's current supply of China parts runs out, deliveries come to a stop.   https://t.co/iXLYLGrO9y

12464) -0.6988) [VIDEO]  Again!! Sentry Mode on Tesla Model X caught out the suspected serial car thieves  $TSLA #Tesla #ModelX #SentryMode   https://t.co/fSM4mQ9Xxu

12465) -0.7845) Crazy Eddie Memoirs: The consensus estimate of the dozen Wall Street genius analysts covering Crazy Eddie was that it would deliver $1 billion revenue within 5 years. We never got past $350 million (including fake sales). $TSLAQ $TSLA

12466) -0.4708) Apparently unaware of the 50% YoY GROWTH rate in $TSLA sales.   Pay no attention to the big picture. Focus on these specific data sets and ignore all other factors and you will come to the only conclusion allowed by such rigid requirements.

12467) -0.3869) I just came across this leaked photo of $TSLA Netherlands at the end of Q4 19.  https://t.co/UcSxTArEn9

12468) -0.3182) This is only true for the stonk price. The actual business is wrapping up its worst month since [checks notes] ever. $TSLA

12469) -0.4201) What sort of business interruption insurance does $TSLA have @elonmusk?

12470) -0.4019) $TSLA short int is $15.55bn ; 24.26mm shs shorted; 18.13% of float. Shs shorted down -2.00mm shs,-7.6%, over last 30 days as price rose +53% &amp; down -861k shs,-3.4%, last week. Shorts down -$5.45bn in January mark-to-market losses; +$163mm on today's -1.05% move  https://t.co/4KN4NY37hl

12471) -0.4215) @elonmusk @georgezachary CCP officials approached him and asked him to tweet lies in exchange for an auto factory. $tsla $tslaQ  https://t.co/YVnTCw3ez1

12472) -0.8757) UPDATE mid-size BEV's in Norway and the Netherlands.  It is kind of sad to see what difficulties some hyped disruptors are having to start into the new year, despite true segment competition not having arrived yet. 😢  Let's have a moment of silence for the fans. 🙏  $TSLA $TSLAQ  https://t.co/2yEYy80STi

12473) -0.7034) Shocking...$TSLA ‘20/‘21 EPS est. have gone parabolic since 4Q print. Increases have been hush...75% of $TSLAQ analysts have Hold/Sell ratings.’20 EPS est now $8 (+24% this week); ‘21 EPS est now~$15 (+20%). At $640, $TSLA now just 43x 2021 EPS (current 80x). Discount won’t last.  https://t.co/RZp8ikcPXt

12474) -0.128) $TSLA stock is beyond ludicrous at this point.  Declining  sales, announced more products than they produce, mired in lawsuits, and their supposed growth market is in quarantine. Stock should be down two hundred

12475) -0.3412) There is a point where you’re not good at everything.... #tesla $tsla

12476) -0.7597) 🚨🔥🚨🔥 Consolidation of Tin Foil hat theory thread from late last night.  Prove this wrong.  $TSLA @blane9171 @tslaqpodcast @orthereaboot   The spark:  https://t.co/6N1HwEo12e

12477) -0.3612) These are the eventualities that are not being accounted for when evaluating EV adoption rates... Change is coming and the level of disruption Tesla has brought to the transportation industry can not be overstated. $TSLA

12478) -0.2732) @Gfilche "The parts made in China are not subject to tariffs"  🇨🇳 MIC Model 3 production cost will drop materially as Tesla ramps local battery cell production throughout 2020.  $TSLA #NotSellingAShareBefore10000

12479) -0.6597) 🐻: “Tesla sales aren’t seasonally low, Elon just frauds more in the second half of the year each year” $TSLA  https://t.co/eNYhqSS0r2

12480) -0.2732) Welp, time to drop a mill in $TSLA in the morning.

12481) -0.2732) $TSLA Market cap now 2x higher than Enron at its peak, this is now potentially existential risk to PWC and its rising with every $ in Market cap.  https://t.co/Hax2HUgVCj

12482) -0.6486) combine this and a 35 year-old CFO with no executive experience....what could possibly go wrong? $TSLA  https://t.co/A3SwZjVCJe

12483) -0.9325) Awww how nice 😢  To help them in their time of desperation, humiliation, and ruin ⁦@elonmusk⁩ gives Tesla short sellers advice on how to argue that a new car company will fail $tsla $tslaq  https://t.co/T7SwEwUkiO

12484) -0.7133) Day 365🤘🥳  It’s been one year since Tesla had its first consecutive profitable quarters. Model 3 production is at a 7,000/week rate, but does that stop #BABYcharts? Hellz no! He’s the Dunning-Kruger poster child. Get off Mt. Stupid #DumDum, if you can.  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/ZYnxnUeQXe

12485) -0.9118) Elon confirms that they had to change headlights in the port in Belgium.  He blames the manufacturer for making them wrong, so $TSLA had to build cars with US headlights and change them in Europe.   Q1 '19 was a "tragedy of errors."

12486) -0.4215) Elon Musk says "we're starving for resources" on the Third Row $TSLA podcast, having just said on the earnings call yesterday that the company has a lot of money.

12487) -0.7003) I trade it long or short idc. Some of my closest friends are $TSLA bulls. They‘re worse than TSLA shorts b/c at least the bears are shorting it w/ their own money. Meanwhile 99% of the so called TSLA bulls have ZERO significant longterm holdings in the stock. Fake ass bulls. STFU

12488) -0.6369) Listen to former Tesla Short Seller Andrew Left. “It’s the car of the present...the Model 3 is destroying the competition, from the top to the bottom” he also mentioned @elonmusk is a genius, a crazy genius. $TSLA  https://t.co/OyWsVct2DQ

12489) -0.4404) Craig Irwin, professional “analyst” at Roth Capital, had a sell rating &amp; a $249 price target on $TSLA since Oct. Reiterated SELL the day of earnings. He’s also still using the tired “Competition is coming” mantra.  I’ve seen this movie before Craig.  #Tesla #CraigIrwin #ClownShow  https://t.co/F9qIijtuBM

12490) -0.9161) @tslaqpodcast @carp666 @montana_skeptic @TerryKerat @Badger24 @blane9171 Need to sleep on it but it’s growing on me more than I would have thought.  The dude did fabricate a fake product to bail himself out, &amp; that understates they level of the SCTY fraud.  $tsla can’t keep showing losses just the same. Anything’s possible.

12491) -0.802) "We continue to be surprised at how determined some people are to dig their own graves" - Tesla   😢😢😢  $TSLA  https://t.co/wh59Hhr6Qx

12492) -0.296) Regarding $TSLA I spoke with one of my traders I worked with at my hedge fund and he said he thought the pain in the short is probably in the price.  I agreed.  He quit Citadel  recently when they begged him to stay.  I stayed short $TSLA.

12493) -0.8225) Crazy Eddie Memoirs: My salary was $80,000 and I purchased $100,000 in Crazy Eddie stock at the IPO knowing that it was a massive fraud. $TSLAQ $TSLA

12494) -0.2732) At Crazy Eddie, we didn’t blacklist reporters. We lied better. $TSLAQ $TSLA

12495) -0.4404) Here's the real question: Why don't @NYGovCuomo and @EmpireStateDev demand that $TSLA open the doors and allow reporters a full-access tour of the Riverbend factory? Failure to do so immediately suggests they are inept, or corrupt, or both.

12496) -0.5719) Tesla short sellers lose more than $1.5 billion in one day (Today alone) as stock skyrockets on earnings  $TSLA

12497) -0.5743) $TSLA credit upgrades coming.  While $TSLAQ debt is still rated B- (6 steps into junk), 2020 credit ratios border on Inv. Grade!  Net debt/EBITDA has gone from 2019 3.4x, 2020 1.4x, 2021 0.7x.  EBIT/Int Exp 2019 Neg., 2020 3.0x, 2021 5.8x.  $1B in 4Q FCF and $1B likely in 2020!  https://t.co/L0Xv2D8XCN

12498) -0.7345) @CGrantWSJ I do too, am not demented. But remember how many times the company was announced to go bankrupt and hasn’t? I do! $TSLAQ / $TSLA

12499) -0.3368) When the world's most smug, arrogant, &amp; fraud-feasing CEO decides you are on the black list, then on the black list shall ye remain. Thou shalt be a fawning lickspittle, or thou shalt be as nothing unto us. Besides, we'll say not a word about the Chinese roof tiles.  $tsla $tslaq

12500) -0.5267) It may be cheaper for Tesla to hire workers before it has anything for them to do than to pay a $41 million penalty to the state for not having enough workers in Buffalo. $TSLA  https://t.co/jCvPkuTRep

12501) -0.2263) Not to pile on with $TSLA, but there are universal lessons to be learned daily in markets, whether you are in the trade or just studying the action.   1. Hold you winners longer (some scaling is fine) 2. Don't short uptrends 3. Cut your losers.  Basic rules are necessary.  https://t.co/OQg4si0sIm

12502) -0.4765) How can a company  set up a giant factory and develop a new vehicle put in production, all at the same time and all within 12 months ?! $tsla is simply admirable and somewhat scary if one is a competitor or a lousy short seller

12503) -0.0772) Remember Q1 deliveries could be lower than Q4 2019 and Tesla could report a small net loss for Q1(seasonality, MIC M3 ramp, MY ramp, etc.). Just focus on long term growth, Tesla is starting to dominate the global auto business and will do the same with the energy business. $TSLA

12504) -0.4019) $TSLA retains it "Most shorted domestic stock" status versus #AAPL as it's stock price rise by over 10% and #Tesla short sellers incur over -$1.5 billion in mark-to-market losses. Read my research note at:  https://t.co/mYBLcQOryO  https://t.co/WpRPBuUoog

12505) -0.7003) #TheWatchList panel tells @NPetallides it’s time for $TSLA bears to accept their fate.  “I don’t know where the bears are turning now.” - @skorusARK  “The bears are dead wrong about everything they’ve said and they’ve cost themselves billions of dollars.” - @GerberKawasaki

12506) -0.3182) Today's Hedge Fund Telemetry Daily Note was just published titled "Bat Soup Crazy"  Take a free trial.   I also apologize for my crappy $TSLA trade  https://t.co/86uesEX9wv

12507) -0.6956) $Tsla reminds me of David Rocker amd America Online and me with This Cant be Yogurt. It ends one day but will destroy many first

12508) -0.3939) "Has anyone else recently bought a new model 3 only to realize it has aftermarket items added to it when delivered?" $TSLA continues to sell returned vehicles as brand new. Is anyone shocked? #TeslaFraudIssues @montana_skeptic  https://t.co/wZmTYXP7mu

12509) -0.5423) $TSLA is up ~3X over the last five months while being one of the most shorted stocks on the market in that period.  As Keynes warned short sellers: "Markets can stay irrational longer than you can stay solvent"  https://t.co/qin8O1vu3m

12510) -0.9121) @munster_gene $tsla has never profitably produced any car &amp; that’s with the significant, provable accounting fraud. Actual auto gross margins are 50% of what’s reported. Actual Cash flow is not positive. Sales in 2H 2019 fell y/y from 2H 2018 despite significant increased capacity. Carry on.

12511) -0.296) Of the many stocks @JimCramer is worried about as the coronavirus spreads, Tesla is at the bottom of the list.  Read Jim's latest column on #StockoftheDay $TSLA:  https://t.co/n0QOJzBjkK  https://t.co/DJMJPTQX3b

12512) -0.4019) $TSLA Tesla short sellers lose more than $1 billion in one day as stock skyrockets on earnings  https://t.co/bPLIdJzHs4

12513) -0.3182) This stock really started to go nuts on 12/6/19.  Ave. daily vol from 12/6 to today is 15mm shares.  From 3Q miracle fraud to 12/6, ave daily vol was 9mm shs.    Who wants the under on no new major shareholders added in the next round of 13Fs?  $TSLA  https://t.co/aVkdHWrufG

12514) -0.5994) Soon we'll hear cocky Elon telling stories about how $TSLA was again mere hours from bankruptcy late last April.    He'll leave out the part about raising off the fraudulent Robotaxi presentation.

12515) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 283 (45.7%) Days left: 336 (54.3%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

12516) -0.3134) It will probably take a couple of days .. $TSLA's price opened up so there no way for shorts to get out prior to the price move &amp; they incurred all their mark-to-market losses instantly. Smart traders will leg out over time &amp; hope to recoup some of their losses on price pullbacks

12517) -0.4374) Money manager on TV who was short $TSLA going into last night and who knows for how long. Not sure why so many want to keep fighting it.

12518) -0.7236) Here's a good lesson. Our target in $TSLA was $534. It got there. Since then it's exceeded those levels. But so what? Why is that our problem? If you think about those things you'll drive yourself crazy.  https://t.co/9Hdhbs5OmG

12519) -0.1513) After Q4 call, we can definitely state: Tesla is not a car company Full stop. After Jonas’s totally ignorant question, it is also mandatory that $tsla is covered by tech analysts

12520) -0.1511) Tesla up $68 now to $650. Anyways. Who wants to get a drink! Oh it’s only 7 am. Sorry. $tsla

12521) -0.6369) Can this fraud get any worse?  Yes, it always can.  $TSLA $TSLAQ

12522) -0.2854) Loved @elonmusk answer how retail investors got $TSLA right and institutional investors - hedge funds/analysts - got it wrong. I’ve said this before: Very smart people, but most don’t get consumer trends, do focus groups, or talk to auto dealers. $TSLAQ shorts $1.3B losses today.  https://t.co/lI2D3vqrFi

12523) -0.755) $TSLA up 10%. $640. Is that insane? Or ludicrous? #sarcasm

12524) -0.0516) $640 - $TSLA , carnage out there for the $TSLAQ trader-bros 😭 couldn’t happen to a nicer bunch of incels 💀💰  https://t.co/04U54aSK3u

12525) -0.4019) I am assuming, @business, this is an inadvertent error, and will be promptly &amp; loudly corrected. cc: @edludlow &amp; @danahull who, presumably, listened to yesterday evening's $tsla call.

12526) -0.4215) Anyone still long $TSLA on FSD should listen to @elonmusk on yesterday's conference call.   In a nutshell: Not going to happen soon, but still costs $7K (in the US) &amp; $8K in China, where Elon admitted take-up is the lowest in the world. Why?  $TSLAQ

12527) -0.0772) Markets are open. Sorry shorts $tsla

12528) -0.6908) Would it have been too much to ask that the article would mention $tsla lost $862 million in 2019? If we had that, at least, I would sacrifice a mention that it was Tesla's 10th straight year of losses as a public co (which continued its 8-year losing streak as a private co).

12529) -0.4576) It’s official. $TSLA bulls are more annoying than $TSLAQ bears

12530) -0.4019) $TSLA short int is $14.28bn ;24.58mm shs shorted;18.37% of float;. Shs shorted down -1.78mm shs,-6.7%, over last 30 days as price rose +40% &amp; down -544k shs,-2.2%, last week. Shorts down -$5.42bn in January mark-to-market losses; -$1.28bn on today's +8.95% pre-market move  https://t.co/kbCG9c68tg

12531) -0.8299) Will any sell-side analyst or publication bother to press for an answer to this very basic, &amp; incredibly informative, question:  What was the $ amount of “goodwill” repairs $tsla did in the Quarter?  Or would we all rather enable fraud- no ? for rhetorical questions

12532) -0.2421) @ValueAnalyst1 Oof. I bet there was a lot of new shorting at $500, too. Painful for them. Folks should do more work on their shorts than their longs, precisely because it’s so risky. $TSLA has been an emotional short by people convinced they are the rational ones.

12533) -0.2263) 1. Tiffany on TC’s ChartCast  2. Tesla settles Nepotism Lawsuit  Coincidence?  No.  $tslaq $tsla #Tesla  https://t.co/e7Dw8TGiFI

12534) -0.2999) #PISTA says: Just so I’m clear- after two days of not caring, today we care about #coronavirus #CoronavirusOutbreak ? Short everything inthe market! Fear is back!!!  Well, except for $TSLA which is going to go to $1000 by the summer.  *rant over*  https://t.co/lcbGhWkFVQ

12535) -0.25) $tsla has billions of “Residual Value Guarantees”- how they moved the metal in NL last Q- &amp; leases.  @tesla has to buy ALL the cars w/ RVG back over the next ~ 3 years.  If breakthrough in battery tech happens, value of these cars is crushed &amp; Tesla is choking on used inventory.

12536) -0.6486) I see dead puts $TSLA  https://t.co/Hcb1gTXnJC

12537) -0.1511) Piper Sandler Maintains Overweight on Tesla, Raises Price Target to $729 per share!  $TSLA #Tesla  https://t.co/cQe7WCvcpA

12538) -0.9554) Bullshit call on $TSLA's conf-call y'day:  1) FSD "feature complete in 2 months": Bullshit 2) Battery technology is "mind-bogglingly good": Bullshit 3) Starlink hooking up to Teslas: Bullshit 4) Battery Day to reveal 1K GWh: Bullshit 5) China FSD sales bad: Not Bullshit $TSLAQ

12539) -0.2808) Wow, Hyundai plans to deliver 80k BEV in Europe in 2020: KIA plans another 60k. (140k in total). $TSLA delivered around 110k in 2019.  Waiting time for Hyundai/KIA is up to 12 months currently.  They delivered less than 50k in 2019.   https://t.co/xPt16c4fXG

12540) -0.1027) #FOMO for $TSLA?  "What we have is fervent enthusiasm for the stock and a fear of missing out," says analyst and Tesla bear Craig Irwin, who has a sell rating and $350 price target  https://t.co/BXo6Oswl57

12541) -0.5647) Am regretting selling all but 1 of my $tsla shares I got @ $138 now. I just couldn’t stomach the shenanigans around the trapped Thai kids stuff. Product vs founder is a debate in private and public investments.

12542) -0.296) $TSLA market order for starter $300 P 06/19/2020 which will have been brutalized for its   Everyone aiming for $1,000, not saying it can’t or won’t happen as it is $TSLA but after that explosive move in one year, i’d bet we see $400 again first.

12543) -0.7425) Reading through the sell-side reports on $TSLA's Q4 results.  Today's most moronic comment about $TSLA's Q1 outlook is this: "#Cornoavirus could delay Shanghai ramp by *1 to 1.5* weeks".   SARS took 8 months to be contained. Corona patients in 8 weeks has surpassed SARS' total.  https://t.co/s0SIMHtAGE

12544) -0.4404) #Tesla fans “working” today after Q4 earnings madness.   $TSLA  https://t.co/DPyINyiOxU

12545) -0.2263) Advantest, the world's leading chip-testing device maker, beat Q4'19 consensus EBIT by 35%, raised outlook +24% &amp; dividend +17%. Stock dropped -6.4% in Tokyo due to China concerns.  $TSLA misses GAAP EPS by 34% &amp; stock up 12% in the after hours. "Virus" uttered 1x on conf-call.

12546) -0.8807) $60M settlement for a $2.6B fraud. Even if settlement is partial only, leaving Musk in court, it's a 2% recovery, assuming SCTY was worth 0 at the time of acquisition (it was negative, in fact).  Going to rob banks. Will set aside 2% for settlements. Who else is in?  $TSLAQ $TSLA

12547) -0.6808) $105B company killing competition.  $TSLA $TSLAQ  (for newcomers: it's irony. In Jan '20 so far VWAG beats #Tesla by 88:12% in Norway)  https://t.co/LGtppm0Dpm

12548) -0.7198) There are SO many utter bullshit stories in the financial media tonight. It's amazing. I don't think it's possible for a writer who can't grasp the meaning of this chart to get hired. So it's willful blindness, becoming a part of the fraud instead of reporting on it. $tslaQ $TSLA  https://t.co/5tKXSXEyN4

12549) -0.128) Summery of:   Tesla Q4 2019 Earnings Call: Cybertruck Demand, Model Y Deliveries, and Batteries  $TSLA #Tesla   https://t.co/aljUbTI465

12550) -0.9053) Single stock short trades have limited gain potential at 100% &amp; unlimited potential loss.   Long trades have limited potential loss at 100% &amp; unlimited potential upside.  Limited upside vs unlimited downside is bad math. Shorts not using stops set themselves up for failure $TSLA

12551) -0.6705) Hmmm Tesla settled for $60 M with shareholders over $2 Billion Solar City deal. Something tells me there'll be criminal charges eventually. 😉 $TSLA  #ForcedAccountability for #TheSociopathicBusinessModel #FraudFormula

12552) -0.2732) So @timseymour is still short. How is $1B of FCF for the entire year equate to “burning cash” Tim? This entire panel still doesn’t get it. Watch at your own risk.  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/38exr7cASC

12553) -0.6124) @teslaincanada He's worried about Starlink? Ugh... He should focus on updating his $10-$500 $TSLA rating.

12554) -0.3818) Looks like $TSLAQ will go bankrupt before $TSLA does. Ironic.

12555) -0.5719) The SEC is allowing a massive, Enron-like scam to operate in plain sight and Jay Clayton is going around saying "we need to regulate Dogecoin."  If a hot dog stand sold 7000 more dogs than reported the SEC would send a SWAT team in balaclavas and choppers to his house.  $TSLA

12556) -0.1779) Top 3 reasons why $TSLA will NEVER trade at auto OEM valuation multiples:  1. Lowest Net Debt / EBITDA, possibly even hit Net Cash, by 12/2021; 2. Highest ROIC by 12/2020 3. 50% annualized EBITDA growth for the next 10 years  1/2

12557) -0.2023) 5:10 GMT $TSLA $TSLAQ update  Elon still fails to see the value that a pizza box-sized phased array antenna would provide Tesla re: Google Maps &amp; streaming audio. 💪  Reiterate - Underweight / Cautious  $10 / $15000  p.s. I'm available as tech lead for a SpaceX/Tesla merger

12558) -0.7579) @PlugInFUD ?  $tsla is both crony capitalism and fraud.  It’s the antithesis of capitalism.  The answer to the problem isn’t less capitalism, it’s more capitalism.

12559) -0.8521) As cash has piled up (now $6B), Tesla net debt (total debt, less cash) stands at $7.1B, the lowest level since Q4'17 (pre-M3 ramp). Excluding convertible debt of ~$3.6B, net debt drops to $3.5B. With FCF of ~$1B/Q, this is very manageable. Credit upgrades coming up!   $tsla

12560) -0.2303) Tomorrows FUD preview: Tesla beat Wall Street expectations and the stock is at an ATH, but that one grandma has been waiting too long for her refund   $TSLA

12561) -0.2732) Reality is $tsla Prob has $60mm I’d insurance &amp; plaintiffs accepted it to let everyone sans musk off hook.  Might not be Musk hubris- this time.  In any event, $tsla has billions of security fraud liability upcoming shortly &amp; few seems to grasp this reality. Case has been on stay

12562) -0.7791) $TSLAQ $TSLA No wonder Tesla had to steal money from customers' credit cards and also very likely just did not pay their bills to vendors.   Soon it will be time to short this stock. The Q1 sales so far are already catastrophic for Tesla. Reality vs bubble has never been greater.

12563) -0.2732) $tsla board members settle derivative suit for $60mm- two huge points  1) sans Musk, he must not realize it’s a knowledgeable Delaware Chancery judge, not a jury  2) this $60mm paid by insurance to company, nbd, but now the Big Big $ securities fraud case on stay has many legs  https://t.co/rU8wM2U6k5

12564) -0.3612) Prediction: @elonmusk is going to hire 600 people before the deadline. Fire them immediately after and avoid a $40MM fine in New York for ~$2 million in total costs... while continuing to import solar roof tiles from China and straight up lying about it.  Sue or true Elon. $tsla

12565) -0.4767) Breaking News: Tesla stock soars to all-time highs as the company loses money for the sixteenth year in a row. Auto revenue soars to a 1% YOY increase and Elon Musk destroys critics by promising to deliver 3 weeks of GM's total production in one year globally. $tsla $tslaq

12566) -0.4019) Me: "I'm looking at the $550's." Wife: "I thought you were done with crash puts."  $TSLA

12567) -0.8934) All records set by today’s fraudsters should include an asterisk (*) because in today’s golden age of white-collar crime accounting fraud no longer requires the cover of darkness to succeed. $TSLA $TSLAQ

12568) -0.126) Oops! Missed this CT $TSLA lawsuit from 2019. Where's that Full Self-Driving, anyway? (Hope the plaintiff heard today's call.) Docket soon.  https://t.co/5Fol8QSX2Z

12569) -0.4767) Sounds like the criminal Elon Musk has got some legal trouble coming up. Enough for two lifetimes. $tslaQ $TSLA #TheTheftLifestyle h/t @kirstenkorosec  https://t.co/RntIwvbxgR

12570) -0.7476) I can't agree with this more. We are getting ahead of this shit a little bit more every day. $tslaQ $TSLA #TheTheftLifestyle

12571) -0.0772) UPS Hub in Tempe, AZ is 8 minutes away from Waymo's new Mesa, AZ service center.  With AMZN pushing, delivery biz relentlessly cutting costs. So, if this trial works (starts Q1), Waymo robo-delivery could expand fast, further exposing $TSLA's robo-scam.   https://t.co/QoUUWQHBsk

12572) -0.296) What did @elonmusk refer to as Alien Technology on the $TSLA earnings call? I missed that bit.

12573) -0.3612) I think its important to review and reflect every day, for half a second I thought about idiot $TSLA short sellers, then I quickly shifted to bigger ideas, "I wonder if that place has taco's"  https://t.co/JZU7pxVV93  https://t.co/Wtt40dO7eS

12574) -0.6369) @gwestr This $TSLA warning seems to negate your last warning that you quoted where your exact words were:  "This will be my last warning" Should we expect a third warning about these two prior warnings before Fridays close? Eagerly anticipating your reply. 😇

12575) -0.2406) Why was the underlying post deleted, @BeckyQuick? Refund + NDA = problem solved? $TSLA  https://t.co/5tmNQQVJR6

12576) -0.2732) Tomorrow IV will crater and you get to buy reasonably priced OTM puts on $TSLA in the low $600s. What a world. $TSLAQ

12577) -0.5709) Tell me something more stupid than shorting $TSLA

12578) -0.4019) $TSLA - stop dunking on the shorts there's no point just be happy you weren't one of them. Just make sure you don't do that to yourself in the future in another name by being price blind but book smart. Conviction is one thing blind stubbornness another.

12579) -0.3595) “Eventually ALL scumbags go down. Musk will be no exception!” $TSLA(s)  https://t.co/2cJyGCXXwu

12580) -0.5267) “I will spend tomorrow eating 100mg legal marijuana cookies and blasting Norwegian death metal versions of Toto's Africa.  I won't be able to bear Phil LeBlow and Crammer.” $TSLA(s)  https://t.co/z06suVZOlu

12581) -0.1531) “We r deep way deep in battery tech” “Tesla is hardcore engineering” “New powertrain will blow ppl minds” “We spend as much as we can sensibly” $tsla. A candid take away?  Elon &amp; Co are now the undisputed masters and damn well know their game, they simply make the game

12582) -0.9042) Welp, that was a wasted hour of my life that I'll never get back. What a worthless call. All of the enablers of this fraud should be ashamed that something like that call is allowed to take place in U.S. public markets. $TSLA

12583) -0.8591) Another fake $TSLA conference call; everything they do now is fake; Wall Street history, folks; also notice how Elon is banking more &amp; more on retail -- the dumb money; that's where @JimCramer &amp; @CNBC come in; keep bending over retail, baby $TSLAQ

12584) -0.5423) Prediction: $TSLA will never achieve anything near full autonomy with the current hardware architecture on their vehicles. 2020 will be a giant dance to walk that promise back and distract from it. Absent autonomy, Tesla is just a shitty car company.

12585) -0.4576) This conference call is regarding the second highest valued car company on the planet correct? Or is this a bunch of guys riffing about their next Dungeons and Dragon quest? WTF am I listening too. $tsla $tslaq

12586) -0.5574) If $TSLA doesn't raise money in February after the 10-K is filed, the entire board should be fired.

12587) -0.3204) Elon: Diluting the company to pay down debt doesn't sound like a smart move....  He wants that float to stay small for $TSLA.

12588) -0.4404) First upgrade. A shy analyst. 😂Wedbush sets a new bull case scenario price target of $900 on Tesla $tsla #Tesla   https://t.co/ARmyIJnuvN

12589) -0.1779) @Tweetermeyer On the other hand, Jonas asked forever about $TSLA mobility, was all but insulted by Musk &amp; derided by others. And yet came the day when, voilà, he finally got robotaxis. Indeed, appreciating robotaxis.

12590) -0.296) @elonmusk @Tesla accelerating the transition off fossil fuels by a decade or two is critical for our survival as a species  @tesla &amp; @elonmusk doing more in this regard than any entity. this is why $TSLA matters and it's more about making money  it's about making civilization on earth sustainable

12591) -0.7378) Adam Jonas's question in the $tsla call was about Starlink - which is a different company entirely. As was his follow up. Seriously WTF

12592) -0.296) Elon Musk just told investors there is no holdback on $TSLA expenditures.  https://t.co/jTbssOCmYK

12593) -0.3382) $tsla #Tesla Some thoughts -Short thesis is gone. Rev beat,profit beat,plenty of cash,bright outlook -Many catalysts coming -100B mk cap is steal. Think bigger! Selloff only from longs but I won't sell common(maybe options). shorts won't dare to short So I think it's going 🚀🚀🚀

12594) -0.0516) And there it is - the $TSLA FSD walkback:  New FSD definition:  "Above zero chance of going from home to office with no intervention"

12595) -0.4404) My brother-in-law, who I talked out of shorting $TSLA in the mid-200’s, says that now he really wants to short it.   Don’t worry, he’s a doctor.

12596) -0.2263) A Month or so in the Life of A Young Huckster @WilliamKaraman  On January 17, 2020 Little Willy stated he was "planning to go heavy on $TSLA put options next week"  https://t.co/rP4KKAv93x

12597) -0.6808) If you’re pissed about missing $TSLA keep in mind for a lot of people it’s only a double (assuming started at low $300 range). Other stocks have performed better percentage-wise.

12598) -0.1779) Why are we stuck at $650? I want $750. $tsla $tslaq

12599) -0.2846) Elon: Never seen this level of demand as we have for the Cybertruck.  Narrator: But @ElonMusk stopped tweeting the reservation number months ago....  $TSLA

12600) -0.1027) $TSLA stock position now +148%. No idea how far it can go, just ride the major trend until it ends. Let price action lead you. 10yr channel top ~1000

12601) -0.296) $TSLA spends hundreds of millions of dollars on influencer marketing. To say they have no advertising spend is a LIE.

12602) -0.9938) 2003: LOSS 2004: LOSS 2005: LOSS 2006: LOSS 2007: LOSS 2008: LOSS 2009: LOSS 2010: LOSS 2011: LOSS 2012: LOSS 2013: LOSS 2014: LOSS 2015: LOSS 2016: LOSS 2017: LOSS 2018: LOSS 2019:  LOST $ 862.000.000$ $TSLA $TSLAQ

12603) -0.431) I know how how $tsla longs felt last summer after a 50% drop.  Enjoy it for now.   I didn’t dunk on you then but go ahead I’ve got a thick skin from being in a few battles

12604) -0.2732) $TSLA @ $650 is precisely why I don’t short stocks. Up 3.7x 52 week low.

12605) -0.5423) If $TSLA doesn’t fuck up this call it’s going to be wild to see where this thing is at the cash open tomorrow

12606) -0.4215) One more note for Senior Writer @chrisidore: $TSLA's extensive use of financing leases means it excluded $125 million of payments to Panasonic from its EBITDA in Q4. Amazon corrects for that; Tesla counts on ignorant biz journalists to overlook it.

12607) -0.7284) WTF $TSLA? $659.80 in after hours! $118bb market cap! That's around $120k per car ever produced. What are these traders smoking. Overvaluation 101.  https://t.co/qbXwlze8i0

12608) -0.5423) $tsla made $100mm of GAAP net income in Q4 and stock added $15Billion of market cap today. 😂 The greed and insanity is at all time highs.

12609) -0.1655) $TSLA lost $862 million on a GAAP basis in 2019. But here's CNN's headline:  https://t.co/cgDihjCn1M

12610) -0.4215) If all else fails, I’ll take this instead of $666 for $TSLA / $TSLAQ tonight. 🤷‍♂️  https://t.co/L40k58z1x8

12611) -0.6249) Until $tsla discloses dollars of “goodwill” repairs in the Q, the numbers are objectively worthless &amp; shouldnt be reported as genuine by anyone. The fraud case is clear. Auto GM are half claimed.  Simple Q: how many dollars of “goodwill” repairs were in the Q?

12612) -0.296) BREAKING: $TSLA up 12% AH and 100% YoY on... exact same production target as a year ago with significantly lower ASP and the cost of an extra factory.  $TSLAQ

12613) -0.2263) All replies next 48 hours:  ONLY essential communication ONLY fundamental discussion Obsess to minimize characters  No GIFs, memes, etc., please.  $TSLA #NotSellingAShareBefore5000

12614) -0.296) New $TSLAQ / $TSLA price range from our model:  Bear: $10 Bull: $15,000  Stop emailing me.

12615) -0.372) Is anyone else getting dizzy from the $TSLA ($646 after hours) G-Forces? It won’t let up! Going to need a @SpaceX #Starman suit if this keeps up. Thoughts @Kristennetten? Apparently @elonmusk was right chairs are underrated as $TSLAQ all need to take a seat, to break their fall.

12616) -0.5684) $TSLA up 11% after market!! 🔥🔥🔥🚀 Congrats to all long term investors!

12617) -0.312) @GuyGentile You can't win them all. At least your humble enough to admit you were wrong. My respect. #NotLong #NotShort $TSLA

12618) -0.3818) @TESLAcharts fraud &amp; stock price correlate positively over the short-term. that much should be clear to anyone doing $TSLA analysis.  Over the long-term, which is now the intermediate term for $TSLA, (the accounting fraud started in 2017 when Deepak replaced Wheeler) not so much

12619) -0.4871) Can all those $TSLA shorters switch to shorting bitcoin? Are they all broke or no?

12620) -0.4912) The downside of living in Europe is that Earnings Call isn't until 12:30am and I'm shattered! As I'm on dry Jan I can't even have my customer $TSLA earnings whiskey to keep me going! 😅

12621) -0.9442) I am joking with $tsla $1000 target but the sentiment is pretty close.  We may get a melt up short covering rally.  It could be something like 20% (wild guess; who knows).  20% rally puts it at $696.  😱😱😱

12622) -0.34) @TESLAcharts lol, $TSLA fraud was much bigger in 2019.  Clean numbers were materially worse.  Here we are.

12623) -0.7906) Couldn't resist and got my hands dirty on $TSLA for some extra bonus AH cash.  Sorry shorts, it's a zero-sum game.  Someone's gotta lose.  It should as hell ain't gonna be me.🙃  https://t.co/4tIxYyTuBY

12624) -0.5815) Holy crap!!!! #tesla $TSLA 🚀  https://t.co/mDMbHOLqhI

12625) -0.1531) Chart of the Day: $TSLA soars above $650 after beating the street with Q4 earnings and giving 2020 delivery guidance of at least 500,000 vehicles (street estimate was $476,000)  https://t.co/7mnzclPOEW

12626) -0.4215) My biggest regret of 2020 - not going long $TSLA

12627) -0.1007) $TSLA up $70 in after hours so by my calculations I just made $35. Glad I can do math, it gets tough with these partial shares! 💰 🔥 💰 🔥

12628) -0.4144) The #TickerMonkey #TMLmodelPortfolio has now gotten its first +100% mover in $TSLA and has done so with an overweight position. 18.75% aum was what got deployed into it starting with the first buy on 10/23/19 at 300 on the eps gap up.  Discount on year :    https://t.co/667jxU6nnL

12629) -0.4404) Beating back Big Oil like 🔥💨 $tsla #tesla  https://t.co/TOYJGbsTEx

12630) -0.8118) $TSLA a last one for the road. Assuming Shanghai ramp is a $150m drag on COGS (would be in line with Fremont ramp), Auto gross margins would have expanded more than 200bps this quarter! 😱🥳 - speculative at this stage, we need to dig more into this!

12631) -0.3818) $TSLA holy crap  https://t.co/4vqHGIZHDi

12632) -0.7351) After conquering it's enemy $420, makes sense $TSLA will have trouble with the next demon... $666

12633) -0.5682) As I said to Spiegel on my last podcast. If $TSLA goes to a $150B or $200B valuation nothing matters. Cause they’ll be able to tap the capital markets for tons of cash, even at a discount. Wild, wild shit.

12634) -0.0892) There are fewer more pleasurable things than watching shorts get burned.  Negativity gets no pity from me, don't care if it's biotechs or electric cars. $tsla 💪  PS. I think it's time to short Tesla 😉

12635) -0.1027) $TSLA primarily sells cars to individuals who pay in advance or on the day of delivery.  https://t.co/47jTnQkqkt

12636) -0.34) I smell roasting shorts 🩳🔥 $tsla  https://t.co/kq2aiCgSkM

12637) -0.4588) "In Q4, annualized total vehicle production rate in Fremont was over 415,000 units, about same rate as the factory under NUMMI reached in its peak year of 2006. Achieved this production rate in spite of Model S/X running on single shift &amp; before start of Model Y production" $TSLA

12638) -0.1027) Pro: covered our small $TSLA stock short at $581.   Con: did not cover our small short Jan 2021 call position. Nor did I open a 580/630 Feb 7 weekly call spread for 19 points, after much contemplation.  This stock is too hard.

12639) -0.4939) $TSLA ... And that was just looking at 4Q... outlook is borderline scary. I count 800k production capacity at year end for Model 3 and Model Y. Will we will have to revise our numbers again?

12640) -0.1058) nothing instills confidence like an engineer that cannot use the word "exponentially" properly.  well, except one that thinks unstructured video can teach a neural net to drive.  "autopilot miles increase exponentially, adding yet more data to our neural net. "  $TSLA  https://t.co/78R3V9dWl2

12641) -0.4497) So $TSLA sold 7,200 more cars than they produced, but inventory stayed flat...  Odd.

12642) -0.5818) So @WallStCynic denied, @teslacharts denied, @markbspiegel denied, @davidein denied  $tsla 💯   Good game @elonmusk good game @Tesla, y’all put up some solid plays!    https://t.co/Urt9iE4jWN

12643) -0.3182) Been pounding the table here since sub 500 and here we are precisely at my 610+ target $TSLA - i do think it is going to viciously sell off as the five wave impulse is nearly complete  https://t.co/fbWoyzrHVP

12644) -0.4322) Tesla trading at 620 right now. This is the craziest stock/company I have ever seen. Congrats to all tesla bulls! I have been very very wrong on this one so far (still believe it is a fraud and that it should trade far &lt;100 🙂) #timestamp $tsla

12645) -0.4767) $TSLA - $1bn FCF and flat sequential gross margin despite ramping production in Shanghai.... what else can I say...

12646) -0.0516) +2% revenue YoY -4% gross profit -113bp GM -25% net income -28% EPS  Hypergrowth. SP x2.  $TSLA $TSLAQ

12647) -0.296) Stop asking sensible questions. Just get with the religion, bro. $tsla $tslaq

12648) -0.296) Which $TSLA executive will announce their resignation on tonight's earnings call?

12649) -0.8611) $TSLA claims 640k of CURRENT capacity, extending to 740k during the year.  But delivery forecasts are just 500k?  Tesla is missing 140k cars just on today's runrate.  That's what we call a DEMAND problem.  Also, why add Berlin? Subsidy truffle hound.  https://t.co/KtaP2jJi9U

12650) -0.2924) ⚠️ $TSLA HITS ALL TIME HIGHS! ⚠️  ✅Earnings: $2.14 vs. $1.72 per share (exp) ✅Revenue: $7.38 B versus $7.02 B (exp) ✅Model Y (315 mile upgrade) to be delivered end of Q1 ✅Tesla will deliver 500,000 cars in 2020  🤮 $TSLAQ Shorts are puking their brains out! 🤮  #Tesla  https://t.co/V8v2T4quNs

12651) -0.2263) Tesla 2020 outlook:   - 500K+ deliveries  - Solar &amp; Storage +50% y/y growth  - MY &amp; M3 production ramping in Fremont &amp; Shanghai  - Tesla Semi production in limited volumes  - Ongoing rollout of FSD features  - Positive FCF &amp; GAAP NI in most/all quarters  🔥🔥🔥 $tsla

12652) -0.0516) How can $TSLA be production constrained if it has production capacity of 640,000 vehicles but is only guiding to deliveries of 500,000+?  https://t.co/Avj0bXfj2G

12653) -0.2263) $TSLA   exactly why I am not a fundamental driven trader... some serious pain going on there with some smart folks....

12654) -0.34) $TSLA This stock has moved almost $400 in 4 months now. What a crazy return.

12655) -0.3252) From $TSLA's Q4 ER: "Solarglass tiles are made in our gigafactory in New York." We just learned today that this is not true.  https://t.co/Mjmbj7GnA8

12656) -0.4588) 6% After hours pop, following beating earnings expectations by 24%  $TSLA  https://t.co/1pAiKQPsf2  https://t.co/837I7PehR2

12657) -0.4767) Tell me again #DumDums how the Model Y is fake   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/bRpHHMGZb1

12658) -0.4767) $TSLA 🤯 I’m bout to cry

12659) -0.4522) How much of the $0.58 GAAP EPS is from unauthorized, "non-refundable" $7K-$10K credit card charges at the end of the quarter? Just when you think $TSLA cannot possibly be any more of a fraudulent operation, it is.

12660) -0.34) My god... billions of short $$ being liquidated on $TSLA. Going to see some hedgies shutting doors soon I bet on this. Forced margin calls etc...

12661) -0.079) My most profitable trade of 2019 was closing my $TSLA short at $231. Now at $620 and rising. Feel bad for those still in the trade. $TSLAQ

12662) -0.4019) Shout out to the guy madly refreshing the $TSLA IR page to get a "market edge" cc:@rocket_jenross

12663) -0.4019) $TSLA short int is $14.19bn ;25.02mm shs shorted;18.70% of float;0.30% borrow fee.Shs shorted down -1.32mm shs,-5.0%, over last 30 days as price rose +31.7% &amp; up +11k shs,+0.04%, last week. Shorts down -$4.15bn in January mark-to-market losses; -$353mm on today's +2.49% move  https://t.co/NbwwWjXgU6

12664) -0.8926) Tesla Fourth Quarter Revenue 4.5% Above Estimates  $TSLA reported revenue for the fourth quarter that was 4.5% above the average analyst estimate  4Q revenue $7.38 billion, +2.2% y/y, estimate $7.06 billion   4Q cash and cash equivalents $6.27 billion, +18% q/q, estimate $5.06BN

12665) -0.1531) My guess on $TSLA's upcoming fraudulent Q4 ER numbers:  Rev: 7.4B 500M+ GAAP profit 2020 550k+ deliv. guidance.   These numbers are all based on the assumption that Musk will go for the jugular of the shorts to create the "Short burn of the century". Hope I'm wrong. No position.

12666) -0.4019) I am a nervous wreck for $TSLA earnings.   Check on me in an hour, please.  https://t.co/6zWWdweXNE

12667) -0.2263) But if I buy enough $TSLA I can keep using those gains to pay cost of living. Thx for keeping rates low &amp; allowing me to jump from teaser to teaser so I never have to default on a Card coz I have worked 10 years to get to a 660 FICO.

12668) -0.0516) Final recap of $TSLA 2020 sellside consensus expectations ahead of 2019Q4 earnings, per Bloomberg:  Sales $30.49B Deliveries 450K EBIT $1.39B GAAP EPS $2.37 Adjusted EPS $6.56 (backs out stock comp)  As of Jan 29, 2020  https://t.co/hoKMVVjPW7

12669) -0.2263) Sun is shining, stock is rising, TSLAQ is whining $tsla  Photo of the Mississippi River by moi  https://t.co/QTMulQPSFB

12670) -0.5106) Tesla in full rally mode pre earnings up $19 now to $585. Can you imagine the boredom being stuck in a total stock market index. $TSLA

12671) -0.34) When I was growing up in South Africa, "that money" meant billions of dollars from public capital raises and government subsidies, and "zero emission" meant fake solar roofs. $TSLA

12672) -0.3818) People are paying silly premiums for call options for Tesla.  It's insane the implied movement of this stock AH. Take a look at the out of the money calls... $TSLA

12673) -0.93) @elonmusk welp.  2&amp;3 failed badly.  $TSLA sports car lost money. affordable car, also lost a lot of money.  What you meant to say was raise a lot of money for 1,2,3 &amp; conduct massive fraud for #4.  Charlatan, not execution, is your thing.

12674) -0.8625) Over @SeekingAlpha, my critics continue to insist Luis &amp; I are simply dead wrong when we suggest $TSLA's misclassification of warranty costs as goodwill is both persistent and likely material. And yet...

12675) -0.9165) But you did NOT "use that money" because those cars LOST $8 BILLION. So, you raised more debt and equity from other people to cover those losses!! $TSLA $TSLAQ

12676) -0.4767) So he’s going to cry on the call again? $TSLA  https://t.co/jBJa2hjigr

12677) -0.6242) The Woods (v $TSLA) 2 year maintenance check uncovered many problems. From non-functioning keys to non-functioning air filters.  Not to worry Tesla fans, @tesla expensed 100% of this to goodwill, inflating auto GM &amp; income again.   14/14 full service records now w rampant fraud  https://t.co/TA9EHHnZIC

12678) -0.2023) Today we see yet another sell-side analyst John Murphy to raise $TSLA PT to 350 from 240 while still bearish.   Ever wonder abt credibility of bearish TSLA analysts? Most have less than 1 ⭐️ rating &amp; negative return for 2019 while S&amp;P 500 index fetched a whopping 30% return😂  https://t.co/YhYiwkpUK5

12679) -0.836) Stop listening to the WallSt famous 🤡 joker Gordon Johnson about his funny nonsense of Tesla. Proven dead wrong for thousands of times thru out the years.  Follow the right people: 👉🏻@Gfilche from @HyperChangeTV  $TSLA #Tesla    https://t.co/KiE5ojbxXK

12680) -0.2263) Tesla $TSLA to hit 700 on earnings on cost savings...vehicles are now running on the tears of shorts

12681) -0.4019) $TSLA short int is $14.19bn ;25.02mm shs shorted;18.70% of float;0.30% borrow fee.Shs shorted down -1.32mm shs,-5.0%, over last 30 days as price rose +31.7% &amp; up +11k shs,+0.04%, last week. Shorts down -$4.04bn in January mark-to-market losses; -$237mm on today's +1.67% move  https://t.co/kPDzLrJcVO

12682) -0.1027) this is why $TSLA doesn’t pay for ads 🤷🏻‍♂️⚡️

12683) -0.7003) Also $TSLA earnings tonight, with market pricing in a 60 point move. No strangles or straddles for me this time. Market makers can go kick rocks with these shitty premiums.  https://t.co/JPxSAI2Z2x

12684) -0.34) This is the smoking gun, @Jack. $tslaQ $TSLA #BillionaireBroCensorship

12685) -0.2023) Cute how your group makes high risk calls that cause members to lose 50% of their portfolio on $TSLA bets.  https://t.co/dBMCB7znRM

12686) -0.7374) Odd @TwitterSupport ... ‘This Tweet is unavailable’  Yet when I go to @TESLAcharts page it’s pinned at the top ....   What is the reason for blocking the tweet????!!!!   $TSLA $TSLAQ @TwitterComms @TwitterWomen  https://t.co/qGEnsP3ygd

12687) -0.3071) It’s getting bad but I’m going to keep shorting $TSLA just a little longer     https://t.co/VcVPIJwdw5

12688) -0.2732) Let's cut to the chase and add a zero.  $TSLA #NotSellingAShareBefore5000

12689) -0.1779) @austinflack @ewesoff That’s weird because here’s an identical label at your house Austin. $tsla  https://t.co/YqTr2OwpWy

12690) -0.0516) So $TSLA $700 or $400 tomorrow? Leave below your inaccurate price targets. $TSLAQ

12691) -0.3167) "...the only comment that really struck me was when some guy with a lot of degrees and a fancy title at some well-known institution said “I don’t get why the stock is this high. I just don’t get it.”"  #Tesla $TSLA   https://t.co/akhWpJr8Mh

12692) -0.1779) First time in 2 years not owning anything going into $tsla earnings... it feels good but will probably drop 20-30% now

12693) -0.8518) @Hotpockets4ever @TESLAcharts @georgia_orwell_ @PollsTesla @evacuationboy @TiffanyPhoto1 My feelings exactly (I was just listening). Jeez I thought I had heard bad $TSLA service issues but this one takes the cake. Guy shows up and won’t let @TiffanyPhoto1 read the contract? Can’t the Calif dept of consumer affairs shut down this fraudster? “1000 solar roofs per week”

12694) -0.5007) When did $tsla sign a contract here? When Musk tweeted that he was spooling up production to 1,000 per week in Q4... was there any basis in fact? Or was it intentionally misleading? I think we all know the answer.

12695) -0.327) How much time did $TSLA allot for testing of these new, presumably custom-made parts between the date of the first purchase order and the date of the first installation? What is known about fire risk and reliability? Or is $TSLA simply trusting the word of a new Chinese vendor?

12696) -0.3612) To everybody who objected to me saying "the $TSLA solar roof doesn't exist", let me repeat. The $TSLA solar roof doesn't exist. It won't ever exist. You've fallen for his con once again.

12697) -0.5423) $TSLA releasing earnings at 4:19 and not 4:20 should be a crime.  https://t.co/V6tPNUFzbd

12698) -0.4015) How did that happen? Not looking good for the Potemkin starship! $tsla $tslaq

12699) -0.594) Just how completely have @elonmusk &amp; $TSLA screwed over the taxpayers of New York State? How brazenly have they lied to the citizens of Erie County?  100% completely &amp; brazenly, as @NYGovCuomo has said, "Sure, Elon, I'll be your doormat. Go ahead, make that solar roof in China."

12700) -0.3818) As always, I will not be listening to the $tsla earnings call.  Shocks me any sentient person can listen to @elonmusk spew fantasy after mumble after gaslight w/out understanding he’s a charlatan.  Always —&gt; too bearish.  One Q: what is the $ of goodwill repairs in the Quarter?

12701) -0.3382) Why is Jack suppressing our latest podcast with a real life $TSLA Solar victim? Only one way to find out. Have a listen for yourself!  $TSLAQ  https://t.co/sVsaNIBbqU

12702) -0.34) Why a Tesla Model Y update during the Q4 earnings call will set $TSLA on fire  https://t.co/ClpYgQ2rYt

12703) -0.3182) $TSLAQ is playing in the wrong sandbox  Oil and gas is where the Q is  $TSLA

12704) -0.34) $TSLA - CNBC’s Becky Quick trying to get Elon to give some grandmother back for her $7550 after her credit card was charged for something she didn’t order.  How much money has Elon stolen at this point?   @CNBC

12705) -0.8271) Goood Morning $TSLAQ    How low &amp; pathetic you have stooped. Example: Scot spends his days on Twitter searching potential Tesla owners attempting to convince them to not buy, current owners to sell, and that basically owners are all going to die.  How CREEPY can you get?  $TSLA

12706) -0.1779) Police appeal for witnesses after a Tesla crashes into tree in Carnforth and seriously injures four children  $TSLA $TSLAQ   https://t.co/awOTsSNvY3

12707) -0.4479) Dear $TSLA analysts,  Feel free to steal these questions from me tonight:  Why is shipping so light to EU this quarter? What is the demand outlook in EU for 2020? Why do you need a factory in Germany if demand is this terrible?  (p.s. this is real 'analysis', so nobody will ask)  https://t.co/CDanKIEoUN

12708) -0.2006) BMW is stubborn. Cash warchest they have built in over the years and their superior diesel engines combined with brand value feeds this misguided arrogance. They r most exposed German auto company. $tsla

12709) -0.3612) Not only that he gets it but that he publicly promotes it, is very telling.  Diess is fighting a big proxy battle against the old guards of VW and ICE. He is using the Tesla supremacy for his defense. $tsla

12710) -0.5574) Legacy auto makers need to dedicate bare minimum of 25% of their resources to developing EV right NOW, and 50% within 2 years, or they will be bankrupt within 5 years. $TSLA #Tesla

12711) -0.8858) Note the entire car wasn’t popping  in flames; note the fire was contained in the engine and not the passenger compartment; note that the doors are able to open in an emergency; note the driver didn’t burn to death 💀 while locked in the car! No story here $tsla $tslaq

12712) -0.4404) Just another 13 or so hours to wait for $TSLA earnings 😫

12713) -0.7767) Today is $TSLA earnings day!!! 🤩  Let’s put on our @Tesla_Truth outfits 👻👻👻  #NewProfilePicture  https://t.co/Rh8qIzhj4t

12714) -0.3071) Why was 6 afraid of 7? Who cares but it’s sucks for you if you shorted $tsla

12715) -0.34) I wonder how $TSLAQ FUDsters will explain this picture. ICE car on fire $TSLA driving by. #RIPDiesel #nomorefud

12716) -0.1144) Cramer's biggest skillset is positioning himself so that he can never be wrong.  He's got both the upside and downside on $TSLA covered now. 👇 Jim Cramer: Expect Tesla's stock to fall hard on an earnings miss  https://t.co/iFLkfr03iu

12717) -0.6705) Tip #93  Some $tslaq accounts are paid for randomly gaslighting $tsla. Since they are paid accounts they have to spend 8 hrs everyday on Twitter (minimum wage). They are not here for factual debates, they are here to waste time. Depending on situation, I've started ignoring them.

12718) -0.5859) Fraud in plain sight. $tsla For further details, consult the work @orthereaboot did here:  https://t.co/RCwXaMOf7T

12719) -0.3612) @77cyko Do you see those $TSLA 100 strikes 2 years out? Go put 10% of your portfolio in those.

12720) -0.1531) @TeslaLisa Ill hold my shares until all the houses around me are off the grid and charging their own cars $TSLA 🤑🙋‍♂️👍

12721) -0.5423) Subsidizing luxury goods companies with $100bn market caps is bad public policy.  $TSLA

12722) -0.8996) Same is said about the Full Reroof + PV install performed by 👉 @Tesla Inc to my home!  Day 348 of Major Damages all from Tesla’s unpermitted, disastrous, hazardous, subpar workmanship &amp; Failure to abide by Contractors Law!  $TSLA $TSLAQ  https://t.co/VpSGzl83oO

12723) -0.7906) $TSLA is a money losing ZERO.  Falling demand Falling revenues  Rising losses BK in 2020

12724) -0.0772) Tesla Semi and Cybertruck have Serious Competition in the Sustainable Commercial Vehicle Market  $TSLA #Tesla #Semi #Cybertruck   https://t.co/0mDBFp3oxv

12725) -0.5046) As if more evidence of deceit was needed....  $tsla   What's it take to get laws enforced around here?

12726) -0.7003) Again, Dr. Charles Lieber was just criminally charged for failing to tell federal officials that his Chinese funding merely *existed*.  Elon Musk has received *hundreds of millions of dollars* in California tax benefits while failing to disclose any of $TSLA's plans in China.

12727) -0.25) If $TSLA can produce a Golf sized familt hatchback with 200+ miles of range and 750+ MPH charge rate for less than $25k, it will sell lile hotcakess. 1M+ per year in Europe alone.

12728) -0.3818) $TSLA - these stories don’t shock anymore and are common

12729) -0.7773) .@Tesla:   Today is Day 348👈 of Major Damages + Health Hazards + Failure to Abide by Contractors Law, State &amp; City Codes + Regulations!  Cc: @elonmusk Take Responsibility for all the Tesla Negligence  $TSLA $TSLAQ #Tesla #TeslaSolarIssues #TeslaReroof @TwitterComms @TwitterWomen

12730) -0.4748) If Lieber lied to government officials as alleged he should absolutely be charged.  But can anyone think of a certain billionaire who has lied non-stop to multiple government officials? $TSLA  https://t.co/i80lCgYAnJ

12731) -0.4326) Poor fella. He was so anxious to show everyone his Tesla on Autopilot but the logo fell off the inferior built interior, so he had to use a sticker.  Elon Musk's greatest *talent* is branding poor quality fraud and selling it as #innovation.   #TheSociopathicBusinessModel $TSLA  https://t.co/S85ZGgriqU

12732) -0.9468) Most blatant warranty/ auto Gross Margin fraud I’ve seen out of $tsla yet. Issues marked with tape at delivery?   Don’t worry, the costs for that won’t impact auto gross margins.  To repeat, $tsla true auto gross margins and net income are fraudulent   https://t.co/119svss1yz

12733) -0.6712) True $tsla auto gross margins are ~ half of reported- 0 incrementals here  This is the single most salient fundamental point sell-side/bulls et al have been duped on  Will one $tsla analyst ask for the $ amount of goodwill repairs?  Or all carry the fraud   https://t.co/pLJxjPvQDE

12734) -0.3981) @montana_skeptic I’m not sure if you saw this invoice, I just came across it from a frustrated owner. Model 3 with 1,600 miles, $TSLA acknowledges (but wants $600 to fix) the popping noise noted in Section 1. Section 3 is a display screen replacement coded to goodwill. $TSLAQ  https://t.co/mA802ky5GN

12735) -0.8225) Tomorrow is SpaceX launch day and $TSLA short burn 🔥🔥🔥🔥🚀🚀

12736) -0.2023) Another day, another @tesla lawsuit . . .  another gentleman who spent $134,647.20 for the privilege of having water leak in to his car . . . About that $TSLA HEPA filter  Guerriero v. Tesla Motors Inc  https://t.co/RyYxRRc185

12737) -0.2023) If my guess is right, $tsla will rocket today and tomorrow.  $TSLAQ Shawtys will cover today and tomorrow. Implied move is showing +-18%.  I don't think many shorts will be ready for that pain.  @jjhanna2 @Hein_The_Slayer @s17_scott @OnDaBus6am

12738) -0.4019) $TSLA short int is $14.04bn ;25.16mm shs shorted;18.80% of float;0.30% borrow fee.Shs shorted down -1.18mm shs,-4.5%, over last 30 days as price rose +29.7% &amp; down -180k shs,-0.7%, last week. Shorts down -$3.80bn in January mark-to-market losses; -$222mm on today's +1.58% move  https://t.co/rQQKbvPHL1

12739) -0.0516) The “solar expert” #BABYcharts screamed this was total vaporware. And @bethanymac12 said Elon was full of sh*t in her work about Tesla energy. I wonder if she’ll follow up with Austin.   $TSLA 🥴🤡 $TSLAQ 🤡🥴

12740) -0.4588) $TSLA yesterday, all my troubles were so far away..  https://t.co/CmIP6zCKnk

12741) -0.5583) Here's @CoverDrive12's estimate of how $TSLA cuts its 2019 GAAP loss to a mere $655 million, closing out another triumphant year. 2020 won't be as good, alas.

12742) -0.1779) Occasional reminder that there are (at least) two separate, active DoJ criminal investigations in to $tsla.

12743) -0.743) Here’s a link to the whole thread in one spot  Any serious fundamental analysis that deals w $tsla or even publication that quotes Tesla #’s must have a response to this provable hundreds of millions of dollars of Fraud  No response will be forthcoming   https://t.co/9fJNdY8GxL

12744) -0.8979) Three main arguments have been put forth to dispute $tsla warranty fraud @montana_skeptic wrote on that demonstrate both Auto GM &amp; Net Income are overstated:  1) stock price   2) you’ve been saying this for &gt; a year  3) not material  1 &amp; 2-not arguments. 3- eviscerated

12745) -0.7501) Based on a research note I just read from Jonas, the street has absolutely no clue how disastrous Q1 is shaping up for $TSLA...

12746) -0.3818) JUST IN: (Part 3) Latest clip from Tesla Shanghai Gigafactory 3 - Stamping. Inside the factory feel the shock of the press workshop.  Full Video Here:  https://t.co/0UOxp4AZIm  #Tesla #TeslaChina #GF3 #Gigafactory3 #ChinaMade #中国 #特斯拉 $TSLA  https://t.co/aRyfuyXm03

12747) -0.5267) That's gotta hurt  $TSLA   https://t.co/uhMePWAgAX

12748) -0.2732) $TSLA shaking off #coronavirus fears with gains in the pre-markets following a spectacular recovery yesterday. #Tesla  https://t.co/RWgJv4ApCG

12749) -0.7905) $TSLA $TSLAQ  January 15, 2020  Blind Item #2  Apparently the celebrity CEO misappropriated some money that was supposed to go into the account of the drug dealer's wife. She is not happy. This is not a person you want upset at you.  @elonmusk #ElChapo  https://t.co/1TdIm6PS1U

12750) -0.4767) Insurace company in denmark: Tesla 50% more likley to be involed in an accident. Other EV 20% more likley. Tesla responce customer are not used to long and wide cars $TSLA $TSLAQ  https://t.co/zWT7CeofqT

12751) -0.4767) #ExplainBABYCharts #FraudWatch day 362  I’m starting to think #BABYcharts is having a mental breakdown. He’s not benefiting financially from the #coronavirus fear-mongering. Poor #DumDum   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/r1LW3UL8lM

12752) -0.4349) $TSLAQ loses ~$130K per day, every single day.  Even on weekends and holidays, when markets are closed.  Holy fuck, these #DumDums are *really* good at losing money. $TSLA #Tesla #CYAZ

12753) -0.168) @profgalloway Scott, predictions? 🥱💤  On 10/04/19 $TSLA was at $231 a share and YOU predicted that Tesla will lose 80% of its value... (&amp; u “predicted” this right before Q3 earnings... I wonder why?)  ...today $TSLA is at $559/share, Q4 earnings almost here... &amp; u have more “predictions” 🤔  https://t.co/Z5yaIG6ShZ

12754) -0.3818) This guy is still shilling for Tesla after he whined to the twitter sphere about his car being held hostage by tesla for the next year after it took on water. THIS IS STOCKHOLME SYNDROME.  These people seriously need therapy. $TSLA $TSLAQ

12755) -0.5859) $TSLA  “The driver writes that the collision resulted after the 'cameras, radar, and sensors' the Autopilot relies on 'suddenly ignored the giant semi'.”   https://t.co/hcZgoDvdWC

12756) -0.3736) Is $TSLA's persistent classification of warranty expense as goodwill material? Yes, it is. Does it inflate both gross margin &amp; EPS? Yes, it does. Does it screw Tesla customers by shirking responsibility for defects? Certainly. Is it calculated to avoid recalls? Quite possibly.

12757) -0.3612) The ~$400mm should be in $tsla auto, &amp; on top of that, warranty reserves far too low as they are based on realized warranty experience, missing this much in expenses.

12758) -0.6239) Here we have a meticulously done,  *conservative* estimate of $tsla expensing ~$450mm of goodwill through just the first 3 Q’s of 2019.  The vast, vast majority of that should be warranty  indisputable proof of the scope of $tsla accounting fraud. YTD auto GP is  &gt; $1bn too high!

12759) -0.2023) Unfortunately, the official numbers are a lot lower than we thought. Shawty got cold feet. This reduces the potential of a true squeeze.  $TSLA

12760) -0.2023) SpaceX launch has now been postponed to $TSLA's Q4 ER date. Coincidence?

12761) -0.2732) I have some questions for Wednesday's $TSLA earnings call. My critics assure me they're too boring to pose. Still...   https://t.co/JqILOzfwwq

12762) -0.2263) I am holding Tesla until he bites me. Then I'll let him down on the floor.   I am holding $tsla shares for eternity. When I die, I will come back as a ghost, hack my own account and make sure no one gets them. #dedicated

12763) -0.8439) 1/ As bad the Corona Virus is - it has given @elonmusk the *perfect* cover up for what is going to be an atrocious Ming boggling disaster in Q1. Oh the Chinese demand for the M3 didn’t triple? Well they were fighting contagion of course! $TSLAQ $TSLA

12764) -0.5574) Sweet Mother of Fuck did someone get an Autopilot / Full Self-Driving warning letter today? #FSD #Tesla $TSLA @NHTSAgov @FTC @TheJusticeDept @USDOT Certainly would explain Elon Musk's incels astroturfing attack over the weekend &amp; the new "self-driving" narrative.  #Recall  https://t.co/TyECgsXuWi

12765) -0.4588) In 1911 Emil Gruenfeldt of the Baker Motor Company drove his Baker Motor Roadster for 201.6miles on a single charge, beating Porsche Taycan 2020 model by a few miles.  https://t.co/XAxC98fOGW $TSLA $TSLAQ @ValueAnalyst1 @flcnhvy  https://t.co/ll7ya8bVbY

12766) -0.4199) This Tesla vid is on fire! 🔥✨🚘 $TSLA #Tesla @Tesla @elonmusk   https://t.co/7JT2elepfY

12767) -0.296) Evac flight from Wuhan that was originally coming to SFO is now going to Ontario International, which is about 50 miles northeast of LAX, after an initial screening stop in Anchorage. The article does not explain why, except to say that the State Dept. won't comment. $tslaQ $TSLA

12768) -0.248) Semi regretting buying up more shares last week...not because I don't believe it won't gain but because I could have paid so much less today....but I wanted to add before Q4 earnings released. #StockMarket $TSLA  https://t.co/VJVG97X1X3

12769) -0.4039) Shorts $TSLAQ are trembling deep inside for Q4 earnings release on January 29, 2020...  They do not like the quiet Elon that is getting prepared for the mass slaughtering of those betting against Tesla...  $TSLA #Tesla

12770) -0.5423) #TeslaQualityIssues #TeslaSuspensionIssues $tsla $tslaq Suspension and brakes fail on 2017 Model X. Customer is quoted $7100 to replace control arms, $900 for brake pads, and $400 for diagnosis.  https://t.co/km4bBBmgEC

12771) -0.3182) $TSLA  "A survey in Denmark shows that electric cars are more likely to be involved in accidents than other cars. Cars of the Tesla brand are the front runners, as the newspaper "Politiken" reports. The reason is that the drivers are not used to the cars."

12772) -0.5994) Tesla Gigafactory 4 Berlin 🇩🇪 News, Disposal World War II Bombs Operation Went As Planned  $TSLA #Tesla #GF4 #Germany    https://t.co/PaJ6v2IQFc  https://t.co/Tbyi5NLbC4

12773) -0.3818) @GerberKawasaki @elonmusk $TSLAQ $TSLA  Without the concurrent use of UV to kill the virus/bacterium studies have shown they can pile up and cause a potentially higher infection rate. At best Tesla HEPA does nada  Ross,  Your ignorance always surprises. I assume you can’t get any worse but here we are 🤷‍♂️  https://t.co/0pSMFJvptc

12774) -0.5022) I’ve been on both sides of $TSLA. Not wedded emotionally to either side - just want to make money. Normally after a stock triples, I take profits and move to sidelines. But I am staying long as Y launch dramatically accelerates vol growth. $TSLAQ $600 post 4Q print; $800 year end

12775) -0.5859) $TSLA rebounding today because its core business (fraud) is not as impacted by a pandemic, as actual businesses.  (No position RN).

12776) -0.34) Tesla Model S Rival - Porsche Taycan Scores An Unimpressive US Sales  $TSLA #Tesla #ModelS #Porsche #Taycan    https://t.co/cdSurAg1Yb

12777) -0.4421) Mark B Spiegel was so sure he was right shorting $TSLA that now he says 999 times out of a 1000 Tesla goes bankrupt  Maybe he should have read Shane Parrish before he (and his followers) lost a ton of money  https://t.co/8pD8t9o1Na

12778) -0.3818) Ugh.    You have got to be kidding me. I hope this account is fake.   $TSLA  https://t.co/Yu5leg0pUQ

12779) -0.5349) Audi makes changes in Brussels factory for e-tron |  https://t.co/DxGOzdhIgP  again battery-supply challenges?!? 😢  $TSLA  https://t.co/fk7nyI6qqj

12780) -0.6908) Franchise dealerships frame their narrative that allowing #Tesla direct sales will hurt the customer.   They aren’t fooling anyone. They’re worried about themselves.   Competition benefits the customer. $TSLA

12781) -0.0516) @GerberKawasaki @elonmusk let’s try to take advantage of a crisis and sell cars by saying they will prevent #coronavirus. Nice, Ross. $TSLA $TSLAQ

12782) -0.2732) I’m assuming the Tesla HEPA air filtration systems will be in heavy demand in China. Model X and S have them. Maybe an upgrade to model 3 and Y.  This probably stops #coronavirus infections while in a Tesla? @elonmusk $tsla

12783) -0.5423) Fatalities / Past Week / United States:   Corona Virus:        0 Tesla Shorts:      112 Drunk Drivers:   997  #coronavirususa #corona  #pandemic #stocks $tsla  @OpenOutcrier @GaryKaltbaum

12784) -0.7351) 2 days for the short burn 🔥🔥🔥🚀 $TSLA $TSLAQ

12785) -0.7034) $TSLA Big Week: 1) 4Q EPS of $2+ vs $1.78 Street; 2) 2020 vol. guide 550K vs 490K Street; 3) Y deliv ramp begins 2/1 ~100K est. 4) China update ~125K est; 5) Analysts raise 2020 est. to $10 from $6.50. 6) Rating agency upgrades 7) S&amp;P inclusion. $600 this week; $800 by YE. $TSLAQ

12786) -0.296) @JTSEO9 In all fairness if $TSLA opened 80% lower, it'd still be overvalued af.

12787) -0.6231) 3) Since $TSLA only generated $658m in Q1'19 gross profits (adding back $92m in lease buyback reserves), an $880m YoY decline in gross profit due to China could spell total gross *losses* of -$225m in Q1'20. It sounds crazy, but China made up 17% of global revenues in Q1'19.

12788) -0.5994) 1) People tend to not buy cars during pandemics, especially in China, where the CCP has quarantined 13 cities.   $TSLA Q1'20 revenues in China could drop by 77% YoY. GF3 was only up to around 2K in output before Chinese New Year (only 23 biz days), when the Coronavirus broke out.

12789) -0.6597) Can't wait for the $TSLA cult to blame the Coronavirus on " $TSLAQ and shorts" and write letters to the SEC complaining about "market manipulation," stating that "the timing is sus."

12790) -0.5859) $TSLA looking weak in pre-markets, along with major global markets. Price was always going to be vulnerable going into earnings after such a rise, and we can’t do anything about macroeconomic conditions. Bigger picture hasn’t changed. Let’s see what Wednesday brings.

12791) -0.8576) So sad to lose peep. 😢 $TSLA  https://t.co/nm9PHWsHyr

12792) -0.4767) $TSLA - CNY was extended by one week in Shanghai.  Most of Tesla’s labor force is from the inner provinces of China.  They will have difficulties getting back to Shanghai with limited transportation.  Tesla starting work by Feb 9th will be a stretch.

12793) -0.7414) Since our evil friends in $tslaq spread so much hate, here is how real customers feel. $tsla  #TeslaServiceIssues #TeslaQualityIssues #TeslaAutopilotIssues #TeslaSmartSummonIssues

12794) -0.1779) My 2.5 cents:  1. Buy $tsla and hold. 2. Wash your hands frequently. 3. Use lotion. Seriously ashy fingers are a turn off.

12795) -0.0772) @jimcramer Buying the quality stock like $TSLA when others have fears.  Shanghai GF3 ramping  Battery &amp; Powertrain investment day Model Y delivery soon Semi truck end of this year FSD is coming

12796) -0.5994) I'm calling it. Musk's forthcoming China pump:   "Buy a Tesla or Die."  $TSLA $TSLAQ

12797) -0.1531) 17/17 So I think there is a surprising amount that the traditional car manufacturers can and must learn from the still young $TSLA. To continue to watch is certainly the worst option.

12798) -0.3291) 1/ $TSLAQ rightly talks a lot about the negative sides of $TSLA, but in my opinion there are some things that traditional car manufacturers can and sometimes even have to learn from Tesla.

12799) -0.7783) Tesla Model X crash New Jersey turnpike.  @SenMarkey @NHTSAgov @USDOT @TheJusticeDept ALL $TSLA accidents should be investigated as Autopilot, Full Self-Driving fails UNTIL @ElonMusk turns over ALL autonomous data.  #FirstToMarket must be held to the highest regulatory standard.  https://t.co/Ee6agXeNtO

12800) -0.7351) 3 days for the short burn 🔥🔥🔥🚀 $TSLA $TSLAQ

12801) -0.2782) “The Competitions are coming”  “The Competitions are coming”  “The Competitions are coming”  AND...... Reality....  ⚠️ Hyped Tesla Killer Audi E-Tron Is Now Facing More Headwinds  Thanks @PatrickSeelbach for the tip.  $TSLA #Tesla   Detail :👇🏻  https://t.co/goIaJ2iCAQ

12802) -0.3612) Nowadays, even the press release vaporware lags Tesla by years...  #TeslaKillerCemetery #TeslaEffect  $TSLA #NotSellingAShareBefore5000

12803) -0.3404) "Musk said “this is not a natural forest -- it was planted for use as cardboard.” In a subsequent tweet, he said the “net environmental impact will be extremely positive!”"  $TSLA $TSLAQ  https://t.co/HkPN6VuBsr

12804) -0.8442) Any professional journalist tasked with following Tesla should listen to every episode of the Tesla Daily podcast  https://t.co/C3xTONOQGu  Rob does a lot of the groundwork for you and it will also prevent you from making mistakes or unintentionally spreading fake $TSLA news.

12805) -0.4404) At least a dozen people have told me in the last week alone that they just got some cash and are waiting for $TSLA to dip to get in, and I'm like, if you're #NotSellingAShareBefore5000, why wait for a few percent drop while risking a 10x return that you believe is on the horizon?

12806) -0.4959) Tesla CEO @elonmusk Explains Why "Submarines Are Just Underwater EVs"  "A Tesla works as a boat for short periods of time, as an electric car has no intake or exhaust to block &amp; battery/motor/electronics are water-sealed,"   $TSLA #Tesla   https://t.co/EQbCApRjca

12807) -0.6289) The FUD conspiracy goes all the way to Trump. Any surprise? ⁦@elonmusk⁩ #tesla #ImpeachmentTrial $tsla  https://t.co/4BCcoEJA6T

12808) -0.2263) Tesla has accelerated its Semi development so that there will be limited release in 2020 $TSLA  https://t.co/FlllqP4uIi

12809) -0.25) Taking $20k+ in labor, and 8+ days, to install $TSLA solar roofs on relatively small structures with simple planar roofs. A huge loss on each install. This is all about manufacturing evidence to defend against the lawsuits related to the SolarCity bailout.

12810) -0.2516) #ExplainBABYCharts #FraudWatch day 360  The #DumDums are really excited at the possibility of the #coronavirus having a negative impact on Tesla’s stock price.   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/qQIcEDoujh

12811) -0.5574) This man is on the trail. 1,300 sq ft house roof takes 7 days... 40% longer than estimated. 700% longer than Elon says. $tsla losing money on every single one they attempt. All about those scty bailout lawsuits.

12812) -0.3182) Area Man Sells "Temporary Boats" to Chinese Nationals, Loses Money On Each Sale. $TSLA  https://t.co/thQapbfzuT  https://t.co/HtSCYhDROE

12813) -0.3049) I heard that there were 2 cardiac arrest last week on the overnite shift @ the Fremont Plant, Seems like a lot for a week. $tslaq $tsla @elonmusk did u allow 🚑🚑? Does the new employee health clinic have a crash cart? Debibrillator?⚕⚕ ⚖ @OSHA_DOL @CALOSHAHandrail @USDOL @NLRB

12814) -0.296) I'm Chinese. I just levered to buy every $TSLA supplier in the country, my offshore manager just levered up to buy TSLA itself.  Now,  my kids off school til mid Feb and 52m of my fellow countrymen are quarantined because the virus is no big deal.  By all means dipshts.  Rally on

12815) -0.6249) So why does the @Tesla warranty exclude water damage? $TSLAQ $TSLA

12816) -0.1027) $TSLA Tesla Will Mark the Beginning of the End for the Bull Market, Warns Ralph Nader  https://t.co/G1GGcYLMkD via @BarronsOnline

12817) -0.6929) Today, any halfway decent fraud can hit $1000 with little or no effort. $TSLAQ $TSLA

12818) -0.875) 🔥🔥🔥🔥🔥  Tesla CEO @elonmusk Rides The CyberTruck After Filming Jay Leno’s Garage [Video]  $TSLA #Tesla #Cybertruck    https://t.co/IUYZ99CdGz

12819) -0.3818) We can’t fight this kind of psychosis $TSLAQ $TSLA

12820) -0.34) @elonmusk Your #Tesla Model 3 Windshields have water leak issues too...  $TSLA   https://t.co/DTE1fc6qbu

12821) -0.1027) $TSLA - The fact that you have to pay $3,000 extra for the smallest third row seating ever is the biggest joke/scam.     https://t.co/WyNgiQ15hy

12822) -0.296) Didn’t realize who Spiegel’s sensei was til now. He took this advice more literally than intended I suspect.  $TSLA $TSLAQ  https://t.co/ViXk66jGV6

12823) -0.8175) $TSLA Made money short, lost money short, lost money long. Not easy this week, choppy.  No position now til after earnings Wed.  Option premium juiced!   https://t.co/AStOxAjJmi

12824) -0.8298) Nice try $tsla short sellers and $tslaq. This fake unintended acceleration scandal is DOA  https://t.co/UXuMN4NClA

12825) -0.3384) CEO VW admitted "Tesla will probably remain the most difficult contende."  “The gap between VW and Tesla in terms of electrical mobility is still quite large...”  $TSLA #Tesla #VW   https://t.co/3JfFGMNkOZ

12826) -0.7239) Mercedes EQC: water-cooled inverter, battery density 25% below #Tesla. Loss making, and cannibalizing profitable ICE SUV. Simple economic gravity applies: Announced in 2018, 55 registration in Germany so far, production cut from 60k to 30k units. That was a $TSLA killer...

12827) -0.7777) $TSLA Earth shuttering discovery by CEO of Subaru: consumer demand for cars with plug that suck is weak.   Strangely, American consumers clamor only for EVs that are competitively priced and are better than gasoline counterparts - Teslas   Confusing!

12828) -0.3612) So the "Fossil Fuel Merchants of Doubt" were right @elonmusk? $TSLA $TSLAQ

12829) -0.296) Tesla Model S and Model X Plaid Initial Specs Potentially Teased By Hacker  $TSLA #Tesla #ModelS #ModelX #Plaid    https://t.co/NI3lKFhapz

12830) -0.8356) #ExplainBABYCharts #FraudWatch day 359  You know it’s desperation time when the #DumDums resort to the “Tesla is over valued!” argument 😢   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/iD6ySvR4Xx

12831) -0.5975) To all the $TSLAQ folks that have not yet blocked me, I challenge you. Provide a proof, in words or in images, of fraud at $TSLA. I will only accept proof that falls under the dictionnary definition of fraud.

12832) -0.3382) $TSLA can be cut in half in coming weeks #ChinaVirus, soft economy the rest is gravity!. @jimcramer @Rick_Singa @algoman2020 @Ufc26 @RottiTrader @mtmalinen Tesla Stock To $0? via @forbes  https://t.co/HutWn1Yqht

12833) -0.1613) Yep.  This actually happened.  $TSLA #FUD #NotAReporter  https://t.co/dhHgdo0REI

12834) -0.69) Why the $TSLA Shorts are uterly fucked  Must watch!   https://t.co/HsJfOG1mJ9

12835) -0.6229) ⚠️ MODEL Y IN THE WILD! ⚠️  This is the car that will bring the burn to the next level for these foolish shorts $TSLAQ! 🔥   $TSLA #Tesla #ModelY  https://t.co/6e27MLBcuO

12836) -0.504) Just because it's said on Twitter, why should such marketing, stock price promoting bullshit be tolerated?  This is the CEO of a 100b market cap company selling pure snake oil.  Aaaand yes, the public is dumb enough to believe $tsla #doestheUShavelawsanymore?

12837) -0.6321) @EdMarkey, You want Tesla to shut down Autopilot but look the other way when the others are doing the same thing or worse. What's up with that? $tsla   @thirdrowtesla @elonmusk @Kristennetten @RationalEtienne   Truth is I don't think the good Senator is aware of this issue.

12838) -0.357) Apparently people in Red Stick Louisiana think there's no interest for EV's  $TSLA

12839) -0.0516) To be clear, $tsla doesn’t send mixed messages about FSD’s functionality at all.  It’s all lies all the time.  Very consistent.

12840) -0.3612) Volkswagen CEO: 2020 Will Be a Difficult Year for Auto Industry 🚘🎥 Full Interview →  https://t.co/Ebe4U335V4 $TSLA #Tesla #EV @elonmusk  VW CEO Diess on @Tesla’s market valuation ⬇️  https://t.co/G0dWOLArfG

12841) -0.717) My $TSLA Cybertruck T-shirt arrives next Wednesday!  Earnings day!  Evil genius.

12842) -0.5927) I knew $TSLA Shanghai was in a flood zone, but didn't realized it was &lt; 1k meters to the ocean.  Oxidation from sea mist is real.  Protecting raw materials, not to mention outdoor equipment, from damage could be a challenge.  Little wonder it was a vacant parcel.  https://t.co/Ge6kVz7eSC

12843) -0.5859) SHORT SQUEEZE COMING 01/29 BRING YOUR POPCORN 🔥🔥🚀 $TSLA $TSLAQ

12844) -0.4019) $TSLA short int is $15.24bn ;26.64mm shs shorted;19.91% of float;0.30% borrow fee.Shs shorted up +120k shs,+0.5%, over last 30 days as price rose +34.6% &amp; down -214k shs,-0.8%, last week. #Tesla Shorts down -$3.69bn in January mark-to-market losses; +$360mm on today's -2.36% move  https://t.co/txCrg2ty57

12845) -0.3182) $TSLA  "Trefis analysis shows Tesla’s stock could potentially drop to $0 from its current levels of over $500. We outline how Tesla could end up defaulting on its roughly $13 billion in debt, a meaningful portion of which matures over the next 4 years."   https://t.co/iMhBXCEXQu

12846) -0.2263) Forget the math.  Upon achieving full autonomy, Tesla will be able to sell millions of Model 3s at the price of a Founders Series Roadster.  $TSLA

12847) -0.1027) Nice (scary) visual from @profgalloway $TSLA  https://t.co/xTFmDptpJo

12848) -0.8387) This is such transparent bullshit and more people will die because of it. $tslaQ $TSLA #psychopath #BreakAFewEggs

12849) -0.8885) $tsla: "While some online videos show that there are a few bad actors (pictured) who are grossly abusing Autopilot, these represent a very small percentage of our customer base. We believe that many of these videos are fake and intended to capture media attention."  https://t.co/sHMVv3uI0f

12850) -0.873) This is a smart move in PR from #Tesla and something us shareholders have been calling out for. The minute some crappy FUD rumour makes it into the public domain $TSLA need to shut it down. It’ll stop the lies proliferating and people will soon grow sceptical of them.

12851) -0.5319) * DEMOCRATIC U.S. SENATOR MARKEY SAYS TESLA SHOULD REBRAND AUTOPILOT BECAUSE IT HAS "AN INHERENTLY MISLEADING NAME" -- STATEMENT  (via @reuters) $TSLA

12852) -0.7008) 18/ And, Tim Higgins, I know you're about to publish a book about $TSLA, and look forward to it, but surely you can occasionally write something critical of the insane Musk compensation package. Or mention its serial GAAP losses.

12853) -0.6072) 7/ Does Boston ever once mention that $TSLA lost almost $1 billion through the first three quarters of 2019? No. Does he mention $TSLA has lost money in each year of its 16-year existence? No.

12854) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 277 (44.7%) Days left: 342 (55.3%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

12855) -0.788) I started tweeting from this account in November/December 2018 because the $TSLA narrative was very negative and distorted.

12856) -0.6551) $TSLA - @CathieDWood, you are wrong.  Grohmann Engineering has nothing special or proprietary in battery manufacturing automation.  You should get out some and go to the suppliers that supply LG, CATL, Samsung, Murata and others.

12857) -0.3612) @BradMunchen @gwestr The question isn't what will $TSLA do in 2020 but rather what will they guide to.  Musk hasn't shown himself to be shy about broadcasting unreachable targets.

12858) -0.7906) I should add that the new UBS Sell rating comes from a new UBS $TSLA analyst.  His other automaker ratings are: Daimler, BMW, &amp; Fiat Chrysler: Hold VW: Buy  Of the 5,858 analysts scored by  https://t.co/T2NMf80QYN, Patrick is ranked #5,319 (damn near dead last).  https://t.co/xq8p9a3rBt

12859) -0.743) We talked briefly about $TSLA $TSLAQ this evening. Both women that I spoke with were aware of the high levels of debt, charging issues and some of the consumer and product fraud. One of them said the government would bail Tesla out. I haven’t heard this theory yet. Thoughts?

12860) -0.6124) One thing the criminal Elon Musk is good at is exploiting the financial ignorance of his cult. He’s done the best job ever of convincing the clueless that short sellers are the enemy. The vast majority of his flock cannot actually comprehend what short selling is. $tslaQ $TSLA

12861) -0.2023) @elonmusk Hi Elon, It’s me again, your favorite short seller investigating the ongoing accounting fraud.  Any idea why a touchscreen replacement would be coded as goodwill instead of warranty?    $TSLA $TSLAQ  https://t.co/O8C5wltGGl

12862) -0.4926) Linette Lopez is as dirty as the Gigafactory 3 field one year ago today! $TSLA

12863) -0.372) $TSLA shorts go crazy! LOL,  altho, kind of sad really...   https://t.co/qXIJFED6WC

12864) -0.91) Just realized $TSLA went nearly $30 pts off the big gap down, holy crap. I never looked after the cover. What a sick sick sick name.  At this point everyone will be waiting for earnings to get out - and then if that doesn't work, what next?

12865) -0.7003) Is this the worst eg. of a crime AGAINST $Tsla for financial gain?  $50,000 isn’t much compared to the trillions that Tesla is disrupting.  Please stop ignoring #shortdistort activity @SEC_Enforcement. This shows the lengths to which anti-Tesla interests will go.  $Tslaq

12866) -0.1531) So far there have been 15 business days in January 2020. During those 15 days, $TSLA has found itself embroiled in 17 new lawsuits (1 as plaintiff, 16 as defendant). It's going to be a busy year.  https://t.co/4EAZwSluPd

12867) -0.4805) @BloodsportCap What a fool. VW has already spent billions to reserve cell supply in Germany &amp; China. Also, the fact that we still don't know whether LG Chem or CATL will be the supplier for GF3 is in itself telling: Both probably don't want to do business w/ $TSLA.

12868) -0.1027) I bet $TSLA doesn't walk back FSD promises unless they're forced to because they're crucial for some $TSLA shareholders.

12869) -0.2263) From a new lawsuit filed today in Alameda County against $TSLA. See also page 69 of our report. Docket soon.  https://t.co/lKMI4BYmRo

12870) -0.8687) A Florida Man tried shorting $TSLA. He lost $600K and went bankrupt. To retaliate against the stock market he filled his car with human feces (shit) and threw handfuls of poop at pedestrians. This is how your Stonk Market!  https://t.co/vruda0nydF

12871) -0.1027) If you bought $TSLA at $286, your return is now better than a short could ever make.  File under TSLAQ is dumb

12872) -0.296) Tesla: We’re a $100B car company  and the only way we’ll fix your car  is if our CEO sees your complaint on Twitter.   😉 #tesla $tsla $Tslaq #musk  @GaryKaltbaum @DiMartinoBooth  @OpenOutcrier @elonmusk

12873) -0.0516) An open pledge to Wallstreet, stop letting auto analysts cover Tesla. Assign tech analysts to $tsla. It would save alot of confusion for investors @jimcramer

12874) -0.7087) I never much cared about the car I drove until @Tesla.  I won’t consider another.  I never engaged in social media, until I found Tesla following on twitter. I never bought individual stock until $TSLA.   Disruptive companies compel us to do new things.

12875) -0.1779) Mercedes halves EV production target due to battery shortage - Manager Magazin 🚙🔋🔌 “If it fails to make progress cutting its CO2 footprint, Daimler faces a fine of 997 million euros ($1.1 billion),”  https://t.co/cPl9eI5EEu $TSLA #EV #EQC  https://t.co/dCQzXsQ4XV

12876) -0.9118) If the fraud you’re referring to is $tslaq brainwashing, then yes. Victims of fraud and their own stupidity. $tsla  https://t.co/2rSPaYF4sn

12877) -0.3566) If the squeeze re-emerges we're talking about more upward pressure on $TSLA's stock price.

12878) -0.34) @montana_skeptic @CoverDrive12 They have several indications that it’s happening including data that $tsla presented that appears to be either willfully corrupted or downright impossible.  They do not have a smoking gun- my understanding.

12879) -0.4404) $TSLA  "McCune Wright Arevalo, LLP, a California law firm that specializes in defective products, is representing eight Tesla owners who say their various Telsa models have experienced sudden uncommanded acceleration (SUA), according to a press release."   https://t.co/brxn9ajISb

12880) -0.6908) "“Deep in dept, selling less than 400k vehicles last year and challenged by several competing EV models in 2020, Tesla’s stock valuation stunningly exceeds VW which sold over 10 million vehicles last year,..."  Warning the cult is futile...  $TSLA $TSLAQ  https://t.co/LaUvb4Re7Y

12881) -0.4043) Lying is the currency of this entire affair, but they are so lazy they aren’t any good at it. $tslaQ $TSLA #ColossalAssholes

12882) -0.296) @GrainSurgeon Supposedly, I have proof, or at least real evidence of this $tsla cover-up incoming.  Hold.

12883) -0.4404) My $TSLA plan RN:  I lean towards going into earnings flat or near flat, and re-grow my short position after.  I lean towards selling small amount of Feb uncovered ATM calls when stock is $575 or above, as premium is extremely juicy.  (FWIW: I suck at trading $TSLA lately).

12884) -0.3182) ****Stunning claim in putative class action against $TSLA:   "Tesla has designed the automobile’s sensors to report after such incidents that the driver deployed the accelerator pedal. . the automobile inexplicably speeds up, then blames the driver. . computerized cover-up"  https://t.co/hIUlMS6v5X

12885) -0.128) Demand must be off the hook. $tsla $tslaq

12886) -0.6808) Another day, another lawsuit that highlights $TSLA true colors- a fish rotting from the head.  Issue: Employee gets injured &amp; requires medical leave  @tesla solution: Fire said employee for violating "attendance policy".  https://t.co/tAhF3KWMRG

12887) -0.1779) Hearing a lot of chatter about $TSLA's crazy rip but, lunacy aside, back up the lens and the move makes a lot more sense. Here's the 10 year chart:  https://t.co/cIFozFAK0a

12888) -0.1027) 2/ after the bailout, rebates have been in $0 - $10 range and her most recent was $5. she said that when she attempts to go online to investigate the situation,  she is directed to the $tsla “car” website and is unable to find the interface that she used prior to the bail out.

12889) -0.1027) 1/ last evening I met and spoke briefly with someone who bought a house that was already equipped with solar city panels. she said that prior to the $tsla bailout, her monthly “rebates” were in the $80-$110 range.

12890) -0.2355) Must read re Tripp. Particularly for lying #TeslaHaters like @melaynalokosky who constantly smear Elon.  Fantastic  to see the truth emerge - even claims @lopezlinette behind it all with $50,000 for Tesla lies. Was that German auto money or $tslaq?   Will $Tsla sue Lopez?

12891) -0.1169) Wow, shorts down $3.80B this month alone. That’s more than Tesla’s losses for all of 2017 and 2018 combined! $tsla

12892) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 276 (44.6%) Days left: 343 (55.4%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

12893) -0.34) Yo $TSLA what up? 🚀🔥💪  https://t.co/6ZAquYO3tO

12894) -0.1363) @MatchasmMatt If the Q4’19 earnings and the 2020 deliveries guidance are as strong as I expect (I MIGHT BE WRONG), then $TSLA may just add a zero, frankly.

12895) -0.2057) Can't keep a god king down $tsla

12896) -0.6486) I find the fact that Business Week did a cover story giving any credibility to the fraud that is Tesla Q. Is another embarrassment for journalism. #Tesla $tsla

12897) -0.7196) Some Tesla Q idiot said on a podcast that the top Tesla bulls called his compliance department over his tweets. Is another outright lie. Not surprising in any way. Just covering up losses with BS. $tsla

12898) -0.5994) If the claims from Martin Tripps depositions are true about payments being offered for stolen internal documents from Tesla by the media. That’s a crime. And it should be investigated by the police. $tsla #tesla

12899) -0.4019) $TSLA short int is $15.17bn ;26.64mm shs shorted;19.91% of float;0.30% borrow fee. Shs shorted up +343k shs, +1.3%, over last 30 days as price rose +35.9% &amp; up +171k shs,+0.7%, last week. #Tesla Shorts down -$3.80bn in January mark-to-market losses; +$175mm on today's -1.15% move  https://t.co/HR6FCCaA6Y

12900) -0.636) 💥It's #ThursdayComic Time 💥  Tesla's Furious Stock Rally Triggers A Huge Payday for Elon Musk!  Read our latest comic here: 👉  https://t.co/dP9TURfgJP 👈  $TSLA $TSLAQ  https://t.co/yUHZ5sZk9n

12901) -0.7402) Yo MSM click bait reporters, you really going to ignore this? You’re so quick to jump on anything juicy that makes Tesla look bad. $TSLA 🥴🤡 $TSLAQ 🤡🥴

12902) -0.5267) Any business threat to Tesla will ever come from tech firms. Not from existing auto companies. Besides ICE engineering and procurement competency, there is little left in an auto ind to compete against a tech juggernut $tsla. Exaggeration ? No, just take the time and analyze.

12903) -0.5423) Battery shortage, demand shortage, whatever.. $tsla

12904) -0.6908) "Daimler will need over a billion euros on top of the €1.6 billion it already set aside to cope with the fallout of an emissions cheating scandal"  $TSLA #TeslaKillerCemetery   https://t.co/qM3dy21PdH

12905) -0.4019) "If it fails to make progress cutting its CO2 footprint, Daimler faces a fine of 997 million euros ($1.1 billion)"  "At least 700,000 cars worldwide were designed to cheat"  $TSLA #TeslaKillerCemetery   https://t.co/TufLyN2EUr

12906) -0.5106) "The supply bottleneck comes as carmakers face huge fines next year if they fail to cut their fleet emissions of carbon dioxide (CO2) to an average 95 grams per kilometre."  $TSLA #NotSellingAShareBefore5000    https://t.co/LIS7Ql5E1m

12907) -0.5994) The EV market in China is collapsing. The $TSLA bulls will scream that Tesla is the cause. They don't yet know they will be an effect.

12908) -0.34) $TSLA resumed with Sell at UBS. PT raised to $410 from $160  😬

12909) -0.6932) What is wrong with these people?!  "estimating 800,000 cars sold and a 10% operating margin in 2022"  Tesla will CRUSH these estimates.  $TSLA #NotSellingAShareBefore5000  https://t.co/dLoDWrCsjq

12910) -0.4404) Tesla's $100B valuation gets questioned by ex-presidential candidate over debt, coming competition $TSLA  https://t.co/NWB3cFS9yQ

12911) -0.875) $TSLA  5 days after the fatal Tesla crash in Pleasanton, CA police have still not been able to identify the victim  Still don't know why the crash occurred  Seeking help from Tesla crash experts  🤔🤔🤔🤔   https://t.co/9lSUm82mcr

12912) -0.7717) Seriously, time to stop with this prehistoric ICE technology poisoning public $tsla

12913) -0.7269) I got a margin call on $TSLA yesterday and lost thousands...and do you know what?  I'm STILL staying short on the balance because I STILL believe this company is a fraud.  I would go short again today if I had to decide again.  $TSLAQ

12914) -0.5532) Hey @timseymour, nothing fundamental? China update without any detail?   No wonder you are keep losing $$ on betting against $TSLA  Learn how to read and stop lying will definitely help you on your future investment, and the victims who watch your show.   https://t.co/QqAAZ0P1Vv

12915) -0.1531) This dude “TSLA has secondary DeMark red Sequential, amber Aggressive Sequential and recent pink Combo Countdown 13s totally ignored...”  Me: $569   $TSLA #Tesla

12916) -0.2732) $TSLA according to finviz short interest stands at 18.43% which comes around 26.26 million shares. Also note the $ cost of covering short goes up as shares rise. Obvious, but the cost of covering shorts is almost doubled to what it was when stock price was at $300. Bit scary.

12917) -0.5574) Awwww shit, a mate I rarely talk to about anything trading or investing related just asked me how he can buy $TSLA 🚨🚨  https://t.co/pLsTNXVXJm

12918) -0.9501) Tesla, not a software or car company, just one giant fraud designed to harm or cause death. This is embarrassingly painful to watch.  #SmartSummon $TSLA  @SenMarkey @NHTSAgov  @USDOT  #TheSociopathicBusinessModel #FraudFormula  https://t.co/OlTuGzsecR

12919) -0.1027) 🚨 PSA regarding Plainshite 💩🚨   1. DO NOT go to the honeypot plainshite website - Aaron tracks ip addresses &amp; doxxes people. Tripp court documents are available in   https://t.co/9eHJQxbELy  2. Aaron Greenspan is NOT qualified as a lawyer, although he pretends to be one.  $TSLA

12920) -0.9231) $TSLA Short Interest is $14.95b;26.26mm shares shorted;  19.62% of float;Shs shorted down -1.2m shares, -5%, last day as price +4%  🔥TSLAQ lost ~700 M $ just Yesterday🔥 🔥🔥TSLAQ lost ~1.7 B $ in last 2 days🔥🔥 🔥🔥TSLAQ lost ~4 B $ in 2020🔥🔥   https://t.co/hdt3xb0Ofo

12921) -0.4019) “As of Tuesday's close, Tesla short-sellers had ~$3.3 billion in mark-to-market losses so far in 2020, according to S3 Partners. That’s surpassed 2019’s performance, where #Tesla shorts were down $2.89 billion mark-to-market for the entire year.” 🧸  https://t.co/seoaAMuBrp $TSLA  https://t.co/iD9gdKG3eN

12922) -0.34) Crazy Eddie Memoirs: Never claim victory over short sellers until the statute of limitations has expired. $TSLAQ $TSLA

12923) -0.1027) I'm beginning to understand, thanks to endless gaslighting by Elon Musk about $tsla, and the constant cultist chorus cacophony, why @AlderLaneeggs sometimes sounds angry.

12924) -0.7579) Although it takes capital, Options were made to be sold. When $TSLA went inside 60 down, the upside Friday calls were juiced and got punished bad

12925) -0.3089) Nothing special. Just your daily $TSLA all-time-high 👍🏻  https://t.co/9AsbDTT7Fn

12926) -0.3167) Let me be completely candid: @business's cover title &amp; subhead were disgraceful. Not at all what the article is about. And to call skeptics "haters," well, that's just thoroughly dishonest. Someone high up at Bloomberg is in love with Musk, or deeply invested in $TSLA, or both.

12927) -0.4824) This is CRAZY @lopezlinette   $TSLA

12928) -0.0772) @RalphNader You are totally out of touch with the imminent disruption of the auto industry. Ask @VWGroup chairman Herbert Diesse &amp; he will explain why $TSLA shares are hot. Its the iPhone moment of the auto industry.

12929) -0.2924) Not my best work, but this should give a reasonable person an idea on how far we have actually moved.  not much.  $TSLA  https://t.co/RCSDtyNlk0

12930) -0.296) @ValueAnalyst1 I think it’s Chinese investors pouring money into $TSLA. It’s the only logical explanation if US based analysts do not have the answers.  There is hype with the new factory and the Chinese have a lot of pressure on them to make this work to show foreign companies can thrive in CN

12931) -0.6739) WTF how is this real? $TSLA $TSLAQ

12932) -0.6597) @TESLAcharts At this valuation, we can only expect that $TSLA has cured cancer.

12933) -0.6199) @Markbspiegel block me, I supposed that all you are blocked too right? LOL he is really angry he don’t know what to do any more with $TSLAQ @vincent13031925 @GerberKawasaki @Kristennetten @thirdrowtesla @Alpsoy66 @StockBoardAsset @Gfilche @Sofiaan @kimpaquette @elonmusk $TSLA  https://t.co/GztoGXZsLF

12934) -0.2772) Future Musk lie (paraphrased):  $TSLA Q1 deliveries suck really really really bad.  But that is only because we have slowed down production to get ready to deliver Model Y cars earlier than expected.  Demand for Tesla cars is still off the hook.

12935) -0.0772) Somehow I feel if @elonmusk is awarded part of his ridiculous compensation, it's not going to be the shorts complaining but rather the longs who will be the ones paying for it.  $TSLA

12936) -0.5023) Ralph Nader, much maligned in the 1960s (but later vindicated) for his warnings about the dangerous design of the Corvair &amp; many other cars, has this to say about recent trading in $TSLA. Now, @RalphNader, take a look at Tesla's intriguing Sudden Unintended Acceleration issues...

12937) -0.25) Every time someone in $tslaq makes a couple bucks on the long side they can’t stop sucking each other’s dicks like it makes up for the billions they’ve collectively lost. Show us your all time returns or stfu. $tsla  https://t.co/dijWpkCXkR

12938) -0.368) Next Wed the fun begins: $TSLA should report 1) 4Q EPS of $2+ ($1.78 Est);  2) 2020 vol. guide 550K (Street at 490K); 3) Elon will announce Y delivs. begin Feb 1, give prod’n #; 4) China production 125K est; 5) Analysts raise 2020 est. to $10+ ($6.50 now). At 60x P/E $TSLAQ~$600.

12939) -0.9437) CNBC bewildered by $TSLA soaring stock price. “Nothing fundamentally has changed.” Really? 1) 4Q vols beat by 7%; 2) 4Q and 2020 est have jumped 17% and 10% respect.; 3) Compet. EVs have launched and failed;  4) Y launch imminent;  5) VW CEO confirms Tesla is killing it. $TSLAQ

12940) -0.891) Memo to @BW: Short sellers who lost billions of dollars on Tesla aren’t haters. They’re victims of fraud. $TSLAQ $TSLA

12941) -0.5965) Even more emissions cheating form ICE car manufacturers. Mitsubishi, Denso Probed in Germany Over Emission Allegations - #tesla $tsla   https://t.co/zWxjz7ZEKS

12942) -0.5908) Serious question for all the $TSLA victory lap takers this week.  Did fact that Enron stock had a massive short squeeze and went from $20 to $90 in a little over a year before it fell to zero over balance of second year make it less of a fraud?  #AskingForAFriend #NoSkidMarks  https://t.co/jlh4bgaehf

12943) -0.4767) fed liquidity found its way into $tsla and created the most massive squeeze ever -- parabolic arches sometimes end in disaster  https://t.co/1WUCRQntE3

12944) -0.5267) Looks like no end of misery in sight for $TSLA shorts yet.

12945) -0.8016) Since 1962 Esquire has published their Dubious Achievement Awards each December. They skipped 2019 though, possibly because they could not find anything or anyone more dubious than the criminal Elon Musk, 2018's Dubious Person of the Year. $tslaQ $TSLA  https://t.co/WR0JgSSWRh  https://t.co/C9fhmF3epr

12946) -0.875) Memo to @BW: Short sellers aren’t haters and every Tesla critic isn’t a short seller. Some Tesla critics aren’t in it for the money. They just like to piss on frauds. $TSLAQ $TSLA

12947) -0.2975) In all fairness, @jimcramer is the biggest surprise of all. He is not doing some simple promotion, he literally gets it. He gets the crisis of the auto industry, he gets the premise of Tesla. Time to listen more carefully. $tsla

12948) -0.3346) Man, $TSLA hasn’t been this low since - checks notes - premarket this morning. They should probably halt it.

12949) -0.296) Some people find $TSLA to be trading at an unjustifiable valuation. But I just found out that it's only trading at 7.4x non-GAAP estimated 2029 earnings. What's everyone complaining about?  https://t.co/1NaFhNPiUe

12950) -0.5766) well, dude, it is not &gt;&gt;the markets&lt;&lt;.  it is &gt;&gt;your view of the markets&lt;&lt;. and you've been told for years that your view is WRONG.  man up, face reality.  although, I'm rather convinced that you do not have a (short) position, you are just a pathetic troll. $TSLA $TSLAQ  https://t.co/UruMwP6HQL

12951) -0.0516) $TSLA  I'm just gonna go ahead and say it, today is the blow-off top.  I have no evidence to support that, just a guess based on ridiculous buying.

12952) -0.2263) @BradMunchen I keep coming back to the fact that $TSLA has grossly under invested in infrastructure since the launch of the Model 3.

12953) -0.1232) I’m not sure I’ve seen anyone in the #Tesla community mention this yet, but here @tonyseba talks about AI/#autopilot learning happening at a double-exponential rate. #FSD is coming faster than many of us expect. @ValueAnalyst1 @thirdrowtesla @Gfilche @UndecidedMF $TSLA

12954) -0.7845) @montana_skeptic @AliciaVera My gripe is entirely with the cover &amp; not with the article or Dana  Article is quality. Lots of people will see the cover &amp; never read it, &amp; will have further perception that arguments against Musk/ $tsla are akin to political arguments, i.e. can ignore work bc it’s from “haters”

12955) -0.0891) I’m so tired of all the Tesla 400,000 cars vs VW 10,000,000 cars per year comparisons in relation to valuation. It’s like comparing Yahoo with Google in 1997. It’s not how equity markets work - nothing is priced of today but instead the future. 1/n $TSLA #equities

12956) -0.3182) And this guy is supposed to be this legendary investing genius?   Everything I’ve seen him say is full of holes so big you could fly several Starships through.   Seems to lack even a basic understanding of how valuation works. 🤦‍♂️ 🤷‍♂️   $tsla  https://t.co/Y4q3su2gFE

12957) -0.3595) I'm getting worried about the proper functioning of our markets!  $TSLA $TSLAQ  https://t.co/PvEdYRa0oP

12958) -0.2732) @BW @skabooshka Hey that’s the same guy that called it a fraud when it $TSLA was at $260... he clearly knows what he’s talking about

12959) -0.6613) This wouldn't surprise me: "rumors of some hedge fund going bankrupt in the US after tesla short"  $TSLA #NotSellingAShareBefore5000

12960) -0.4795) 3 wks ago “ dude how can you trade $tsla 340’s it’s so crazy ?   Same guy 👇  Long $tsla 590 . Looking to sell 750 Ah’s

12961) -0.128) I shorted some $700 strike $TSLA calls expiring in a couple of weeks. Keep me in your prayers

12962) -0.3612) Just my 2 cents but i am seeing an hourly rally base rally demand at 573. Sub wave (3) of 5 at 594 gives me confluence with the 23.6% fib(shallow retrace) to my 2h RBR demand at 573. Potential projection below. She’s STILL not done yet $TSLA RIP to shorts...  https://t.co/zIxMmnqyMM

12963) -0.4263) Question: how an analyst making a wrong call of biblical proportions can take himself seriously?  Would be great to have Adam Jonas go on national TV and give investment community an explanation on this nonsense:   https://t.co/WkQUE0p3si  $TSLA  https://t.co/tll0LARSVC

12964) -0.8176) I just heard a FinTwit / YouTube trading LEGEND took out about 4-6 months of subscriber revenue. Devastating quarter for the Musk haters. Side note - why has this dude not been interviewed on @ModernWallSt yet?  $TSLA  https://t.co/NrzxDbXg6H

12965) -0.34) $TSLA blows past my one year price point in less than a month. 😦

12966) -0.6597) As financial constraints become less of an issue, the profitability argument loses its dire importance, despite being relevant  There is an escape velocity for all frauds, as one ZH article said, the Q is whether $TSLA has reached it  2/x

12967) -0.3612) Tesla stock ... the year of 2020 💥  $TSLA #Tesla @Tesla  Don’t be caught  🩳  https://t.co/sph8cWLxfF

12968) -0.8221) “... the new long term bull case scenario on the stock is $900 with Tesla’s ability to ramp production and demand in the key China region ...” - Daniel Ives  Keep shorting you $TSLAQ fools if you want to continue to get run over by us $TSLA long! 🔥🔥🔥   https://t.co/IrXsoVEQ0C

12969) -0.4987) $TSLA absolutely FLYING still! More than 150% gained in the last 100 days😱  https://t.co/oNIFlEcpBD

12970) -0.0935) Recap of why $TSLA has rallied 230% from the 2019 lows: 1) Fundamentals have improved (or at least the bull case has become more obvious) with demand &amp; production cost reduction uncertainty reduced, rapid execution on GF3 &amp; Y, positive owner surveys &amp; poor offerings from ICE OEMs

12971) -0.1779) This $TSLA squeeze feels like it can still get much uglier

12972) -0.5719) We've been bullish the $TSLA the whole way up the PRICE over blogs investigative/opinion reporting or even hate 100% of the time.

12973) -0.296) $TSLA (Tesla) just gapped up another $30 to $579. No big deal.

12974) -0.1695) This bear analyst *doubled* his price target in just 60 days, which goes to show that most sell-side analysts simply chase the stock price and are not worth their salt...  $TSLA #NotSellingAShareBefore5000

12975) -0.0772) From today, a "Friendly Reminder of Pending $TSLA Bad News" tweet from me until it goes below $400 again.   Today: Tesla's cumulative global deliveries per Service Center (SC).   1) Record sales = record quality issues 2) Cost/SC: $10m  3) Capex to return to 2018 levels: $7.9bn  https://t.co/fWwNrIBzOs

12976) -0.6355) But @elonmusk swore that *****ZERO***** $TSLA vehicles have this problem. Just another lie?

12977) -0.296) At 192 pages this may be the longest complaint ever lodged against $TSLA in any court. Its Table of Contents is three pages long. At the moment, Tesla does not have a permanent General Counsel.  https://t.co/MaDsM7wGbg

12978) -0.2263) There's a new $TSLA class-action lawsuit about Sudden Unintended Acceleration in the Central District of California. Lee et al v. Tesla, Inc.:  https://t.co/kdJjpXP3Ng

12979) -0.296) Tesla will now be allowed to deliver vehicles to Michigan through a subsidiary - buyers will no longer have to pick up their orders in another state 🙌🏻  @Tesla @elonmusk  $TSLA #Tesla   https://t.co/AUySYLmSEn

12980) -0.4404) Jim Cramer: Think of Tesla as a Tech Equity, Not an Auto Stock   Comparing $TSLA with traditional automakers’ PE are meaningless   $TSLA   https://t.co/5o7Rdtb0rc

12981) -0.624) $TSLA up $327 / share since the dream died.   Analyst said VW EV competition would really hurt Tesla plus waning Tesla sales throughout the year.  https://t.co/e3YdpO6dP6

12982) -0.9393) we have got an amiable former $tsla fan who lost big time in 2019 shorty attacks. He got pissed, quit twitter and possibly the stock as well. He later came back but didnt get back in to Tesla stock. Stock skyrocketed and he is left behind with his losses and miserable FUD tweets

12983) -0.25) More than a dozen $TSLA bulls have asked me if this is the $TSLAQ short squeeze *today alone*  ... which only proves my point:  https://t.co/ihqT4iU923

12984) -0.2991) 🙎‍♀️"OK kids, everybody wrapped up tight?"  👬 "Yes mom"  🙎‍♀️"It's gonna be rough out there this morning, I don't want you kids getting hurt."  👬"We know mom!"  $TSLA #Tesla   pre-emptive 📢#Paul91701736  https://t.co/XpgnLC6Rs6

12985) -0.2732) $TSLA  Why should low income and rural residents subsidize the purchase of luxury electric cars?   https://t.co/Yj9WGCmNe5

12986) -0.4767) Meanwhile, $tsla “autopilot” keeps on crashing after being in an accident.  Similar to how the battery fires reignite after they’re extinguished.

12987) -0.7184) For the Record, I’m making money off of $tsla equity this am should it open $575  Nonetheless, $tsla is a fraud that is structurally unprofitable &amp; is not generating cash flow  “Stock Price” &amp; Business Fundmanetsls are not the same thing  Critics aren’t here solely to short

12988) -0.5423) Challenge for the scores of journalists that follow me: actually publish j one serious article about the demonstrable accounting fraud &amp; related chicanery at $tsla  I’ll even go on the record  Currently, you’re all committing malpractice, whatever your institutional constraints

12989) -0.128) .@danahull still can’t get basic facts straight unfortunately. Elon didn’t send short shorts to @davidein. This company did. 🤦🏻‍♀️   $TSLA 🥴🤡 $TSLAQ 🤡🥴

12990) -0.9313) Dear Bloomberg:  Categorizing serious accusations of fraud &amp; misconduct as “haters” enables that fraud.  How about one serious article on the critics concerns, forcing $tsla to defend its ongoing fraud instead of “Stock Price, Bro”.

12991) -0.5994) Can anything stop Tesla? $TSLA up another 5% #premarket to just under $575 after Wedbush analyst raises price target to...$550. Yup, current price already above price target. Insane.

12992) -0.5473) $TSLA up another $30 pre-market on Trump’s endorsement of @elonmusk as a genius. #TSLA $600 before EPS print next week as investors discount a 4Q EPS beat, 550K vol guide, and 2020 est.moving to $10+ from $6 now.  Imminent Y launch will annihilate $TSLAQ. Reiterate $800 PT by YE.

12993) -0.875) "Protecting" Musk, who committed the worst public display of securites fraud in Wall Street history, is a disgrace; just let Bernie out $TSLA $TSLAQ  https://t.co/yEyoJ1pMOq

12994) -0.4215) Most legacy automakers will go bankrupt by 2021, and every executive who leaves the industry agrees with us that the future is electric and that Tesla has an insurmountable lead.  $TSLA #NotSellingAShareBefore5000

12995) -0.8176) @ComedyTslaq Yo, who is letting this guy trade, he's a f'ing disaster. He is a danger to his investors' capital. If you are a Stanphyl investor you have every right to file an arbitration against this man for what he has done. Sue him. $TSLA $tslaq

12996) -0.296) $TSLA PT RAISED TO $550 FROM $370 AT WEDBUSH  phew I was worried there was nobody left tor raise them....

12997) -0.4199) This is ridiculous!  We need a 10-1 $TSLA stock split so we can get back to $420 a few months later.  @Tesla  @elonmusk  https://t.co/3gmp6hh6b6

12998) -0.6249) This, still happening in Germany, to VW is behind comprehension. Worst part, VW still gets away with it.. $tsla

12999) -0.5267) Interesting information buried in a state lawsuit in Washington concerning a $TSLA Autopilot crash: it doesn't work, and after a collision it will sometimes keep on piloting.  https://t.co/cuG8i7u4dC  https://t.co/s75bVEsiA1

13000) -0.4588) This post offends me deeply.😡  $tsla  https://t.co/0b5g6EIcVz  https://t.co/OfmQUR1vVb

13001) -0.3818) .@markbspiegel is like a sad retiree who just keeps feeding a slot machine, praying for a jackpot that will never come and oblivious to the fact that he's put far more money in than it could ever pay out.  It'd be sad, if he wasn't such a mysogynist asshole. $TSLA $TSLAQ  https://t.co/pTwFNKrpyc

13002) -0.3695) Tesla’s stores being ‘mobbed’ by customers in China.  These are highly profitable cars headed to ~40% gross margin.  Beware the #TeslaDemandMountain (&amp; FORGET #demandcliff) $Tsla $tslaq

13003) -0.2263) "Somehow I got bailed out of the dumbest play I've ever made..." $TSLA h/t @ExAutoAnalyst  https://t.co/eqIWFGv4rZ

13004) -0.5358) Isn't it interesting how those making actual breakthroughs don't brag, or ask to get paid upfront for vapor ware?  They just get it done.  $tsla  GM's Cruise rolls out Origin, an autonomous electric vehicle with no steering wheel | VentureBeat  https://t.co/B3rUBooavX

13005) -0.8402) @orthereaboot I should note that I now have data indicating Luis &amp; I vastly *underestimated* $tsla's inflation of gross margin &amp; net income resulting from (a) the warranty-charged-as-goodwill fraud and (b) the shifting of Supercharger costs from COGS to SG&amp;A.

13006) -0.9186) Excuse me @timseymour but you really do owe it to your listeners to update them on your $TSLA short position.   We all pick some winners and some losers, if you’re not honest with the losers you lose credibility.  https://t.co/CqTxahA3Qe

13007) -0.4959) @tsrandall It will trade even higher going into earnings.  All shorts are scared to put any positions before January 29; even @markbspiegel closed his position at ATH today. At the moment there's simply no selling pressure.  $TSLA will drift towards 600 in a week.

13008) -0.7269) Gerber is a joke.  A remorah suckling on true frauds.  Einhorn has his faults, scam isn't among them.  $tsla #fckugerberujoke

13009) -0.4019) The higher the stock price, the more likely Elon back fills the stock price with fundamentals.  That is the trouble with shorting reflexivity.  $tsla

13010) -0.3182) I knew I'd officially lost it when I went long $TSLA deltas today. Going to see a shrink tmw.

13011) -0.8685) .@JohnBarrowman Sadly @Tesla has horrible Customer Service! I would comment on your tweet, however I would have a shadowban then placed on my acct. I am a Tesla Full Reroof + PV customer, Today is Day 341 of our Major Damages all due to Tesla’s Negligence. $TSLA $TSLAQ

13012) -0.5256) Forget the endangered bats at the German Giga4, I am now more worried about the endangered Tesla bears 🐻  $TSLA ripping past 550 after hours

13013) -0.9081) Tesla going on a tear today. After killing Greenlight capital and now every analyst on wall street puking up bigger targets, the tide has turned and the ICE car makers are doomed. $TSLA

13014) -0.296) Tesla short Einhorn looks like he is the one wearing the short shorts. Trailed the market by 18% last year. This is exactly why hedge fund fees are such a scam. His fund will be closed soon... $TSLA

13015) -0.5859) @barronsonline Because he's a $TSLA short...that'll ruin anyone's portfolio.

13016) -0.25) $TSLA  "A recent garage fire in California just hit the news. Thankfully, the fire only caught in the garage and outdoors and didn't make its way into that home. However, four cars were totaled, including a Tesla."   https://t.co/fSIkDSzHks

13017) -0.5647) Thanks to Montana for writing this, as it is precisely what I had planned to write later today. Everyone has their price, I don’t know what mine is, but it would never include shilling for the criminal Elon Musk. $tslaQ $TSLA

13018) -0.2998) ⚠️ TESLA HITS ALL TIME HIGH: $547.79 per share ⚠️  The only thing that may be considered “unintended acceleration” here is the price of $TSLA!  Keep the FUD coming, as the heads of shorts $TSLAQ continue to get ripped off!  #Tesla  https://t.co/BPJjcp7ukA

13019) -0.6705) @havsenergiman @tobjin1 Oddly enough, the Toyota’s aren’t ramming through bakeries etc.  There’s only two possibilities here:  1) $tsla drivers are &gt; 10x worse than any other driver   2) Tesla’s have a defect that causes sudden unintended acceleration

13020) -0.5423) "Tesla Inc. has reached a settlement with the state of Michigan over its federal lawsuit challenging a state ban on direct-to-consumer car sales"  "An announcement of the accord is expected as soon as Wednesday"  $TSLA #NotSellingAShareBefore5000

13021) -0.296) Tesla Is Dominating 70% Of The New EVs’ Sales In Australia 🇦🇺   $TSLA #Tesla #Australia    https://t.co/OQ2C9t1Dts

13022) -0.1779) Tesla drove right off the demand cliff into world domination ...? $TSLA  https://t.co/nEFMOYT0W5

13023) -0.5632) @TESLAcharts @elonmusk Excerpt from Deposition of Elon Musk; U.S. v Musk, 4/20/30  Asst US Attny(AUSA): Are you Elon Musk?  Elon Musk(EM): I dont recall  AUSA: Are you the founder of Tesla?  EM: Of what?  AUSA: Please answer my question  EM: These questions are killing me; they’re so dry  $TSLA $TSLAQ

13024) -0.4215) Prediction: There will come a day when @elonmusk denies being the founder of $TSLA

13025) -0.8319) Enough with the $tsla has lowest possibility of injury nonsense  Independent statistics confirm, $tsla crashes twice as often as a typical car, &gt; 50% more than other EV   Tesla’s also spontaneously combust 6x as often &amp; growing  It’s the least safe new car money can buy

13026) -0.2023) Tesla Stores across China 🇨🇳 every weekend is like this after China Made Model 3 price drop. No wonder $TSLA is so high.  #Tesla #TeslaChina #MIC #GF3 #ChinaMade #Model3 #特斯拉 #中国 $TSLA  https://t.co/rq04T8kl3k

13027) -0.6075) "So many demo/display/loaners!!"  Japan is one of Tesla's worst performing market, which makes it easy to track what is going on. This thread is more about weirdness wrt demo/display/loaners I noticed.  1/n $TSLA $TSLAQ

13028) -0.296) Yet some insist on playing this losing game... $tslaq $tsla  https://t.co/S3CIHiK3PO

13029) -0.4137) $TSLAQ Why does every auto executive interviewed speak so highly about Tesla, @elonmusk and the difficulty for legacy auto makers to catch up?  Today was former Ford CEO Mark Fields; last week VW CEO Diess. Do the shorts know more about the auto business than auto execs?  $TSLA

13030) -0.4278) here's what I'd do if I was zach trying to talk PwC into letting me release the NOL allowance:  - Q1-19 was FUD. Q2-19, Q3-19, Q4-19 are &gt; breakeven.  - We have over $1b of deferred revenue that will be recognized in 2020 as we release FSD.  Thus, let us release it. $tsla $tslaq

13031) -0.6597) Sudden Unintended Acceleration does not exist.  Complete fabrication by a an evil shortseller.  $tsla

13032) -0.2617) when you're fake rooting for $tsla to keep going up but then it actually just keeps going up

13033) -0.765) At what point do you just say “ fuck it . I’m wrong “ $tsla

13034) -0.4767) All these sad little bear traps along the way  $TSLA  https://t.co/8nlENReJUp

13035) -0.296) Again $TSLA in the @BearBullTraders chat. One quick stop, one $10 trade, then a couple of scalps with small size.   #Daytrading #trading #stocks  https://t.co/XCwhuE91ap

13036) -0.6908) $tsla up on reports of short-sellers getting horribly desperate.  https://t.co/gMmh168y9w

13037) -0.3875) 7/7) Toyota &amp; GM spent $100 millions more on settlements after being busted. Unlike $TSLA, however, (a) both had dozens more models in their fleets untainted by the recall &amp; (b) both had plenty of cash. If $TSLA does indeed recall 500K S/X/3s, it won't be pretty.  H/T @btsparks

13038) -0.836) 1/7) $TSLA faces a 500K-vehicle recall of all models sold from 2012-19 in the US if faulty for "sudden unintended acceleration" (SUA), according to @NHTSAgov.   That's 57% of $TSLA's global deliveries (2012-19), just in the US.   How bad is this vs Toyota &amp; GM recalls? Worse.  https://t.co/GugpOw9ssi

13039) -0.3612) Elon Musk is the king of douche bags.   All Eberhard did was found Tesla.  Go ahead Musk, call yourself the founder &amp; not the “co-founder” of $tsla as you paid to call yourself.

13040) -0.296) $TSLA - Translation:  THERE IS Sudden Unintended Acceleration.  The fact that Elon has freaked out about it in this blog post means it has traction.

13041) -0.3612) "“And I went outside and the fire was on one side but within minutes the entire car was on fire,” said resident Nirav Parekh. Residents say within a few minutes the car became fully engulfed in flames, thwarting attempts to rescue the driver who died." $TSLA

13042) -0.2003) Looks like they are admitting defeat!  $TSLA

13043) -0.168) I'm sorry?   They are partnering with Toyota to make this happen?  🤦‍♂️  $TSLA

13044) -0.559) Elon states that he did not want to be CEO.  "The pain level is extreme," but it had to be done or...?  His favorite phrase:  "or $TSLA would die."

13045) -0.2846) Elon claims that Eberhard is a liar who is trying to rewrite history, insists that $TSLA was not a company he invested in, but a merger of 2 electric car projects, Elon's own "electric car company" &amp; Eberhard's.  Reusing the  https://t.co/hy90MnLw8Q + Confinity = PayPal story.

13046) -0.7717) Elon attacks Martin Eberhard as the worst person he's ever worked with "and I've worked with some real douchebags."  "To be number 1 takes a lot."   https://t.co/xEUVaUKnwS  $TSLA

13047) -0.8541) Elon and Kimbal state that "2018 was worse than 2008," a year of financing round collapses, failed rockets and divorces.    The host of this $TSLA podcast does not shy away from asking the difficult questions.  She puts the Musks on the spot and asks "What's up with 8's?"

13048) -0.9569) Elon: "2008 was a particularly difficult year.  We had the third (SpaceX) failure, $TSLA financing round collapsed, I got divorced."  Kimbal: "2008 was really really bad. It was a bad year.  I think 2018 was worse."  Elon nods in agreement that 2018 was worse.

13049) -0.7658) Elon describes the state of banking when he was doing  https://t.co/hy90MnLw8Q &amp; PayPal. "It would take 2 to 5 days" (to receive funds from a check).  "The transaction velocity was very low."  No explanation as to why the $TSLA accounts receivable transaction velocity is so low.

13050) -0.3182) Kimbal admits that Elon and he were living and working illegally in the US.  That was the beginning of the Musk family crime spree that would span decades.  $TSLA

13051) -0.9549) To all of you who love their Tesla but *insert terrible problem*.   Your Tesla does not love you back.   You are in an abusive vehicular relationship.  #YourTeslaDoesNotLoveYouBack  $TSLA #Tesla $TSLAQ

13052) -0.3382) Another needless $TSLA autopilot crash. Thankfully no injuries this time. @NHTSAgov needs to remove this unsafe software from public roads! @SenMarkey @Ctr4AutoSafety  https://t.co/XJMFHoeyD9

13053) -0.7003) "right of free speech" you say?  Changes to Civil Penalties for Filing False or Misleading Reports Under 49 U.S.C. 30165(a)(4)  https://t.co/jpPiKtiLAG  - adjusted civil penalty of $5,141 per day - max of  $1,028,190 for a related series of daily violations  $TSLAQ $TSLA @NHTSAgov  https://t.co/q4NwWEkNHb

13054) -0.4215) Unintended Acceleration occurs 16,000 times per year but if a short seller can find ~120 cases since 2012 involving #Tesla, they can make a petition which turns into a news story... that causes $TSLA to fall.   Market manipulation 101  https://t.co/qhM9o4VzuB

13055) -0.3612) After what I've seen so far on Part 1 of @ElonMusk's interview on @ThirdRowTesla, I need to buy some more $TSLA 💪💰⚡💥   https://t.co/NhTpyDywlB

13056) -0.866) This is just SO sad. People who've NEVER owned luxury vehicles, shouldn't be doing the Tesla Model S v Porsche Taycan comparison.   Unless the Taycan bump falls off after driving through a puddle, they *just* can't compete w $TSLA.  Seriously, this is hilariously sad.  https://t.co/Bj5m4ILzNO

13057) -0.6696) Brian Sparks @btsparks should be prosecuted for submitting a *fraudulent* @NHTSAgov motor vehicle defect petition against Tesla with the goal to drive down $TSLA stock price and financially benefit from his short position!  https://t.co/0CwqbfLcv1 via @thirdrowtesla

13058) -0.5719) why is @SEC_Enforcement not prosecuting these short-sellers? why is the media too gullible to report #fakenews about $TSLA. i know. i should stop asking rhetorical questions 🍿🤷🏻‍♂️⚡️ $TSLAQ

13059) -0.3182) The real story - Brian Sparks.   How money (or loss of) makes you corrupted.  $tsla  https://t.co/ZvppVIYqOH

13060) -0.1531) #ExplainBABYCharts #FraudWatch day 355  Repeat after me #DumDums, “there’s no such thing as sudden unintended acceleration.” Ask anyone in the automotive industry. Why should anyone believe a group who’s done nothing but lie about anything Tesla 24/7?  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/zF3jaf2EsF

13061) -0.9246) And no one ever cooked the books at Crazy Eddie. It was a plot by those evil short sellers to destroy our company. I stand shoulder-to-shoulder with my brothers at Tesla. $TSLAQ $TSLA #sarcasm

13062) -0.4215) 2 real killers in 2020  Tesla Model Y in 🇺🇸   China-Made Model 3 in 🇨🇳   Like it or not.. it’s the #Fact  $TSLA

13063) -0.5574) Nobody can know for certain just how cash-strapped Tesla is, but my guess it is far worse than we can imagine. $TSLA $TSLAQ

13064) -0.296) $TSLA  "A Tesla driver in Avondale, Pennsylvania, was pulling into a parking spot at an elementary school when the vehicle accelerated on its own, the complaint said adding: 'It went over a curb and into a chain link fence.'"   https://t.co/ACtuMmTF85

13065) -0.2812) My latest @SeekingAlpha greatly underestimated the liability $TSLA faces for giving away free Supercharging (and how that inflates Tesla's completely phony gross margin metric). The beat goes on.

13066) -0.7803) $tsla settled a class action allegation alleging SUA just recently.  Must be because they knew the allegations were without merit.  Right?   Tesla denies driver complaints of sudden unintended acceleration  https://t.co/bhfjrPG1qI

13067) -0.4767) I'll eat my shoe if Tesla Automotive GAAP gross margin in Q4'19 was less than 23.0 percent, as estimated by the majority of voters.  $TSLA #NotSellingAShareBefore5000

13068) -0.6743) @Tesla The idea that these complaints were looked at thoroughly is a joke. These customers had no one to turn to. Whoever wrote this up should be ashamed. $TSLA $TSLAQ  https://t.co/5TpaQ4ZYtl

13069) -0.8225) It would be easy enough for @elonmusk to publish the data on all 120+ complaints and prove those dastardly short sellers wrong. I thought $TSLA was a technology company? Case by case. Prove to the world that these victims are liars.

13070) -0.4215) Model 3 crushed the competition, Model Y will do the same even FASTER $TSLA  https://t.co/zlS9E666ul

13071) -0.34) The Chinese are noticing the Tesla unintended acceleration issue. Is this  why Tesla felt the need to respond to the SUA vehicle defect petition today?  $TSLA

13072) -0.0752) Every $TSLA bull who wasted their long weekend reading about deferred tax asset valuation allowance reversals (!) and accounting for embedded derivates should be awarded the CPA designation. They deserve it for effort alone.

13073) -0.4019) 2015  DRIVER error accounts for ~16,000 UNINTENDED ACCELERATION cases every year in the US, according to NHTSA.  If Tesla is sued for ‘auto-acceleration’ they can prove that the accelerator pedal was pressed.  $TSLA $tslaq  https://t.co/W4bdmE03w6

13074) -0.1114) @russ1mitchell You're not a skeptic. You're biased negatively towards Tesla. 95% of your stories about $TSLA are just that. Stories.

13075) -0.743) What exactly is "completely false" within the $TSLA SUA vehicle defect petition?  The complaints are in the NHTSA database. The crashes happened. The data for the other OEMs is accurate. The statistical analysis is just math.  Read the complaint.   https://t.co/SJpVFnisDB

13076) -0.8643) There is no “unintended acceleration” in Tesla vehicles, says Tesla officially.  As a $TSLA investor &amp; owner myself, it’s really frustrating and sick to deal with all these unnecessary nonsense narratives created by TSLAQ.    https://t.co/mrBHL9UhRU

13077) -0.5267) It's a small world after all. Former and extremely-short-lived $TSLA General Counsel Dane Butswinkas is representing CNN against criminal traitor Devin Nunes. The drama continues to unfold here:  https://t.co/k7ABuzMdeR

13078) -0.91) There is no “unintended acceleration” in Tesla vehicles  “This petition is completely false and was brought by a Tesla short-seller.”  This is how disgusting this TSLAQ was trying to abuse the system to minimize his/her losses from shorting $TSLA   https://t.co/JLlyJ7Df94

13079) -0.25) #Tesla ruining all of the work by a short seller to get a NHTSA investigation.    $TSLA    https://t.co/5eIQ8vAjNd

13080) -0.5766) “Tesla in DIRE NEED of CASH” Charles Gasparino  $tsla $tslaq #Tesla  https://t.co/Reh7bGLYBs

13081) -0.3513) @CGasparino @Tesla @LizClaman @FoxBusiness $TSLA claims to have $5B in cash.  Why does it need lenders?  Why does it have "cash needs"?  This is very strange.

13082) -0.6249) @Tesla So you have the worst customers?  $TSLA  https://t.co/vQsNlTlLzw

13083) -0.296) $TSLA Official response "There is no “unintended acceleration” in Tesla vehicles"  https://t.co/1ub4kONftQ

13084) -0.296) $tsla claims an accelerator pressed at 6-7% of full pressure is enough to cause 100% acceleration.  “Worked as designed”.   https://t.co/5BzwvK17oF

13085) -0.296) There is no “unintended acceleration” in Tesla vehicles. In this statement, @Tesla explains why:  https://t.co/e71MB6T6Me $TSLA

13086) -0.4404) 4 days after news of the Tesla SUA vehicle defect petition is made public and on a public holiday, Tesla finally responds to the allegations.   Tesla is blaming the driver for all 120+ SUA events.  $TSLA   https://t.co/5XBpdL2LML

13087) -0.4278) Another utterly false $tsla shortseller FUD is busted. It is now imperative that @secenforcement  looks in to this false hedgefund claim to NHTSA on behalf of all investors. @elonmusk    https://t.co/W8aoJAqcYB

13088) -0.296) There is no “unintended acceleration” in Tesla vehicles | @Tesla $tsla $tslaq  https://t.co/Xaw2ENL6Dt

13089) -0.4767) Because people say sudden unintended acceleration happened, doesn’t make it real. Hitting the wrong pedal is a known phenomena.   Unrelated. The Loch Ness monster exists, since there were sightings.    $TSLA #Tesla  https://t.co/50MwnaXDB6

13090) -0.5432) If I'm not mistaken, there is a paragraph in each of the complaints that states that by signing, you agree that all information is true and not falsified in anyway and if so, you can be prosecuted for lying to a fed agency.  Remind me what lying to the feds equates too? $TSLA

13091) -0.296) $tsla #Tesla  There is no “unintended acceleration” in Tesla vehicles.   https://t.co/UNEcKovRnR

13092) -0.3612) There is no such thing as sudden unintended acceleration in any #Tesla vehicle. Sorry $TSLA short-shorts, you're gonna need a new lie to spread.  https://t.co/3WCumUyoSU

13093) -0.4019) "Over the past several years, we discussed with NHTSA the majority of the complaints alleged in the petition. In every case we reviewed with them, the data proved the vehicle functioned properly." $tsla   https://t.co/6mCBXnm8wR

13094) -0.3612) They could have been helping ⁦@thirdrowtesla⁩ edit the podcast instead of wasting time debunking nonsense.   I hope they sue the short seller. As a $TSLA investor, this garbage must stop.   https://t.co/hNcJWxVfv3

13095) -0.3182) "...CNBC report says that an investor who has shorted $TSLA's stock filed the formal complaint. That certainly is worth considering in terms of motivation, but reality is that 127 owners have complained that their vehicles suddenly accelerated..."  $TSLAQ  https://t.co/0NGPmhEmvr

13096) -0.3182) "The doubters say Tesla’s ballooning valuation makes little sense. The Co has never posted an annual profit, carries &gt;$10 billion debt load and hasn’t manufactured cars at the scale of competitors."  Can we agree that the equity is worthless?  $TSLA $TSLAQ  https://t.co/6Vx6AlacDp

13097) -0.8029) Note to Future World Class Swindlers: From the beginning, you must strive to do everything wrong. Obey no rule, no regulation, no law that inhibits your schemes. This instills a sense of disbelief in many: "No organization could possibly be this comprehensively bad!" $tslaQ $TSLA

13098) -0.1779) @TESLAcharts Lacks torsional rigidity.  That’s also why you can’t use a jack on the X, they must go on a lift.  A jack would cause the body to twist.  $TSLA $TSLAQ

13099) -0.4019) Look at how far away the other car involved in the $TSLA crash in Hallandale Beach, FL ended up from the Model X

13100) -0.8658) Tesla Model X crash in Miami, Florida. Tired of me tagging you yet @SenMarkey @NHTSAgov @USDOT  @TheJusticeDept @FTC @FBI?  ALL $TSLA accidents should be investigated as #Autopilot #FullSelfDriving #FSD fails UNTIL Elon Musk turns over ALL autonomous data. #ForcedAccountability  https://t.co/fNYCalLusl

13101) -0.6694) At this point any $TSLAQ with a shred of rational thought has covered and moved on.   Seeing some really low quality FUD lately. FUDQ is upon us.   $TSLA  https://t.co/t9esUYbKQ4

13102) -0.4019) 🚨2 transported after multi-car crash in Hallandale Beach – WSVN 7News | Miami News, Weather, Sports | Fort Lauderdale $TSLA $TSLAQ « two pieces of black Tesla Model X could be seen on the roadway »  https://t.co/AofNrZZDTS

13103) -0.5859) 9 days for the short burn 🔥🔥🚀 $TSLA $TSLAQ

13104) -0.1779) $TSLA  Winter Range Anxiety  "It was about -8C, snowing. before going out, I had 139KM left. Went to restaurant, 8 kms. On the way back I had to take an alternate route of 12KM. All in all, 20kms ride. I came home with 23km left on the battery."   https://t.co/gArhAkQsob

13105) -0.7132) Today is Day 340!  Tesla knowingly did NOT obtain required permits, left us w Major Damages, continually lied, covered it up, then acknowledged👇   Still my home sits leaking, growing health hazards &amp; unfixed!  $TSLA $TSLAQ #Tesla #TeslaSolar @elonmusk #ElonMusk #TeslaNegligence  https://t.co/8fZMDgbvIx

13106) -0.2023) 1/The only thing that’s strange for me is “Why is Tesla STILL battery constrained?” 🇨🇳GF3 is not expanding production b/c they don’t have enough batteries.  I expect that $TSLA @ Battery &amp; Powertrain Day to announce w/the acquisitions of Maxwell &amp; Hibar they are making their own.

13107) -0.7543) Pretty much what those of us defending #Tesla have been saying all along, but are ridiculed for by the haters. $TSLA $TSLAQ

13108) -0.5809) This totally kicks $TSLA's ass.  $TSLAQ

13109) -0.34) Parked $tsla spontaneously combusts in Oslo tonight, lights another vehicle on fire too.   https://t.co/eIpeXd3gyk  $tslaq

13110) -0.3818) Crap. I was going to predict that about $TSLA too.

13111) -0.6906) Riddle me this $TSLA fanboys. If Pickle Rick buys pickles for $.80 cents, and sells them $1, and has employees who cost him $0.30 cents and rent of $0.40 cents, why are all my haters telling me I’m not profitable...? I sold them damn Dills for more than it cost me! I’m profitable

13112) -0.1531) @RyeNotBerben The cash balance is a total lie.  $TSLA will miss payroll while still insisting that they have $3B+ in the bank.

13113) -0.0772) Serious question for the SEC:   Thin or thick crust pizza?  @SEC_Enforcement @SF_SEC @Boston_SEC @NewYork_SEC @FortWorth_SEC @Atlanta_SEC @LosAngeles_SEC @SEC_News @NTSB @NHTSAgov @FTC $TSLA $TSLAQ @SenMarkey @SenBlumenthal @CNBCFastMoney @CNBCnow

13114) -0.7579) In light of the string of serious tesla accidents and fatalities lately, re-upping this open question: $tsla

13115) -0.8591) Here is the video of the 2018 Tesla Model S crash, that "lost control"  burst into flames causing another fatality. The $TSLA later reignited per police. @SenMarkey @NHTSAgov @USDOT @TheJusticeDept  #TheSociopathicBusinessModel #FraudFormula  https://t.co/ShIvLGMby0

13116) -0.7783) The Pleasanton Police News Release does NOT state that the driver of a Tesla 2018 Model S was speeding &amp; contradicts earlier news reports.  The $TSLA crash at 5:57 PM claimed the life of the male driver. The car re-ignited after the initial crash.  h/t @Paul91701736  https://t.co/Yoq7urzZ80

13117) -0.2263) “The protests were sparked by a report from a water association representing Brandenberg a German state with 2.5mm residents. That report indicated Tesla would require more than 300 cubic meters of water per hour which would deplete local reserves” $TSLA   https://t.co/Ap5Ad0IOHa

13118) -0.1027) TFW you pay off $100k in student loans because you hit lotto calls on $TSLA

13119) -0.75) TSLAQ: Tesla is doomed‼️ The competitors are coming really soon‼️  Reality:   VW Again ! Delayed The Long Waiting ID.3 to Spring 2021  $TSLA #Tesla #VW  https://t.co/L6UIUKsMCi

13120) -0.2732) This condition didn’t manifest itself during our rigorous winter testing in the San Francisco Bay Area.  $TSLA $TSLAQ  https://t.co/vjM92dyMBn

13121) -0.8176) Yet another tragic, fiery, and likely avoidable accident involving $TSLA.  https://t.co/5yYeO8Afx8

13122) -0.9118) Tesla CEO Elon Musk preys on insecure, desperate to feel superior, easily manipulated consumers who accept fraud as innovation. Owning a $TSLA, fraud built into the business model causing predictable harm or death, is the opposite of amounting to anything in life. #FraudFormula  https://t.co/VlqQUFiCk7

13123) -0.3182) Only one company in the market is willing to voluntarily sell cars at a loss: $TSLA  https://t.co/IAao4zmwJ7 via @Valuewalk

13124) -0.5719) "We're a software company and we're living in a simulation, so never mind the charred corpse." $tslaQ $TSLA #TeslaBodyCount #psychopath

13125) -0.5904) With the latest @NHTSAgov SUA investigations, $TSLA decides it's a good idea to spread rumors of the Model Why deliveries  It makes no sense as these have the same control system and will be subject to the same recalls as all other models  #Tesla should be renamed #WTF

13126) -0.6908) $TSLA must have really hit that juicy part of the flywheel in 2019 and shattered skeptics' doubts.  Let's go to the replay.  https://t.co/4JNcsz4Udj

13127) -0.8988) This car is a crematorium. Drivers not used to the ludicrous speed of these massive vehicles often have no chance to exit once they lose control. Let's pray the driver was unconscious when he/she burned to death. There is a downside to this crazy acceleration. $tsla

13128) -0.3913) @markbspiegel @russ1mitchell @latimes The article is excellent, but it is not perfect. And, the $tsla crowd will claim declining H2 2019 US sales was a function of Tesla's decision to focus on The Netherlands. With Shanghai &amp; Fremont together able to produce (per Tesla) 650k+ cars/yr, H1 2020 will be the acid test.

13129) -0.1027) If the capacity at Fremont is 440k why did Tesla only sell 367k cars in 2019. The bulls have  been claiming Tesla is production constrained. You would think Tesla would have built and sold the maximum # of cars 440k not 367k. $tsla $tslaq

13130) -0.4019) “Some Tesla owners are unintentionally buying expensive software upgrades through the automaker's app which range from $ 4,000 to almost $ 10,000 and they are facing trouble getting refunds.”  $TSLA  cc: @FTC    https://t.co/7DJacreyzP

13131) -0.1154) The SEC was concerned about Elon’s tweets that may be “market moving” but is fine when a Tesla short seller / non-owner gets a government agency to investigate a false Tesla issue leading to a stock price drop to enrich himself   $TSLA  https://t.co/5HqQDKN6QP

13132) -0.7717) Another day, another $TSLA 'loses control at an intersection', crashes into a building, and bursts into flames, killing the driver. $TSLAQ   https://t.co/zBmVzrqVOH  https://t.co/V3tBpHNPsy

13133) -0.2168) If demand for $TSLA cars is unlimited and they are now producing from two plants instead of one, they should deliver AT LEAST 150,000 units in Q1, right? You can't deliver a million cars a year without delivering 250,000 per quarter, no? $TSLAQ

13134) -0.3607) Oh oh, I have a feeling vegans will not be happy with this one  $TSLA @Tesla  https://t.co/yPydqpf6AK

13135) -0.3818) ARK Invest’s Head of Quantitative Analytics updating the firm’s battle tested $TSLA valuation model  https://t.co/z2gCBlRiBa

13136) -0.9458) @StephenSeanFord @BloodsportCap Not sure, but might be b/c @elonmusk is a narcissist operating a series of structurally bankrupt enterprises (incl. $TSLA) that rely on a continuous flow of hot money from suckers 2 continue operating &amp; he acts as primary salesman/propagandist to perpetuate the flow of dumb money

13137) -0.5574) "The driver of the Tesla lost control of her vehicle and hit the teenage girl, who was taken to the hospital in critical condition, the LBPD said. Witnesses said that the woman had just had her car detailed at a shop across the street, police said"  $TSLA   https://t.co/qkMHsLUiWn

13138) -0.1027) When $TSLAQ says that U.S. $TSLA sales are in trouble, please refer them to this.   And wait til we see what the Model Y will do to its competitors...

13139) -0.5423) $TSLA - Tesla bouncing customer checks is mind boggling.  Why is this happening?   Cash can’t be that bad if Elon can take burn fossil fuel on a trip to China on his private jet.  They also have plenty of cash to knock down a Berlin Forest of thousands of trees.

13140) -0.5984) What a fucking dumbass $tslaq $tsla  https://t.co/F8ZEFntFID

13141) -0.128) iPhone 4 was introduced in Jun'10.  The results of the first poll suggest that the majority of my followers are "innovators," and the results of the second poll suggest that Tesla is yet to even scratch the surface of the ultimate global demand.  $TSLA #NotSellingAShareBefore5000  https://t.co/IRrgkyKa9Z

13142) -0.8689) On average 44 people admit to pedal error car accidents in US every day, yet it seems that when you’re driving a #Tesla &amp; you screw up it’s ok to commit fraud. The data will prove these claims are bogus &amp; those making fraudulent claims should be prosecuted. $TSLA

13143) -0.6908) $TSLA You're stealing our water: Germans protest against Tesla gigafactory - Reuters  https://t.co/cSqt3MD8gR

13144) -0.1371) Everyone that thinks $TSLA will go bankrupt is delusional. Learn how to trade what’s presented in front of you and not your beliefs. If TSLA is making all time highs, with great catalyst and shorts are getting squeezed, why not play the upside?

13145) -0.128) “Around 250 Germans on Saturday protested in the outskirts of Berlin where U.S. electric automaker Tesla Inc. is planning to build a gigafactory, saying its construction will endanger water supply and wildlife in the area.”   $TSLA

13146) -0.7798) $TSLAQ #DumDums: “VW is going to absolutely destroy Tesla!! Mark my words! They’re going to hit the market like a beast!! Buh bye Model 3! $TSLA IS A ZERO!!!!!!”  REALITY: More #TeslaKiller delays 😢

13147) -0.5859) This morning I’ve blocked a couple of accounts that were clearly trying to avoid being blocked. But that overwhelming sense of self righteousness in the face of calcified beliefs contradicted by data eventually boils up from deep within. And then I’ve got them. $tslaQ $TSLA

13148) -0.6249) It’s real simple @NTSB - we’ve exhaustedly tracked many many Teslas and have never heard of an acceleration issues. I did see an older lady accidentally accelerate through the window of the pharmacy on Ocean Park in an ICE car once. It’s called human error. $tsla #tesla

13149) -0.7906) There is a lot of well-founded cynicism around here about whether there will ever be regulatory action on SUA or Autopilot or Whompy Wheels or anything. I don't hold out much hope for it either. But I'll settle for killing off sales. $tslaQ $TSLA  https://t.co/jXv9LZFfn7

13150) -0.4019) The important elephant in the room here is the realization that this message is coming from a supply chain subsystem and wasn’t programmed by Audi at all. One of #ICE fatal flaws in their competency toolbox. $TSLA

13151) -0.2755) Try to tell me that Tesla doesn't already do full self driving.   You can't.   Thank you papa @elonmusk   $tsla $tslaq  https://t.co/8C04Q2s9Qy

13152) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 271 (43.8%) Days left: 348 (56.2%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

13153) -0.8219) Final result is out.  When I bought $TSLA for 75% of my portfolio (and not selling a share at the current price) I thought I'm a lonely crazy weirdo, turns out I'm actually herding 😑  Most Tesla shareholders are very Charlie-Munger-esque 😏

13154) -0.4215) $TSLA Note to talking heads: Replace “Tesla competition” with “Competition struggling to catch up with Tesla”

13155) -0.4019) Protests in Germany against the destruction of a protected forest in order to build $TSLA GF4

13156) -0.8996) The idea of a merger between Tesla &amp; VW is stupid! VW has $200B in debt , aging factories , sick corporate culture . It will drag Tesla down! Mergers in general don’t work! Can you imagine what $tsla will do if they borrow $200B?

13157) -0.6597) If musk greases past informed scientific opposition to starlink on the basis of vague claims for future “sky wifi for Africans” - amplified by highly online tech bros with bad DSL who think they will get gamer bandwidth for cheap - then things are super fucked. $tsla

13158) -0.2411) I’ll be in Tulum, Mexico for a few days. Don’t do anything I wouldn’t do.. I’m not sure what that could be though, besides short $TSLA..

13159) -0.128) Official Tesla China 🇨🇳 Site has been updated expected delivery date to 2020 2nd quarter. Demand is so high in China right now for China Made Model 3.  #Tesla #TeslaChina #MIC #ChinaMade #Model3 #China #特斯拉 #中国 $TSLA  https://t.co/HPTQ2v7qXS

13160) -0.6351) “The deadline for those 1,460 jobs is April 1. According to the deal, if Tesla falls short it owes the state a penalty of $41.2 million.  With less than two and a half months to go, it’s not clear how close Tesla is to hitting that employment mark.” $tsla   https://t.co/Mlyy7Uspwa

13161) -0.5719) The news outlets that are not part of the Epstein tape collection are now going after @elonmusk  It sucks when you have no leverage.  $TSLA $TSLAQ

13162) -0.4019) 10/ "... The windfall goes to those who destroy and then successfully blame others for the wreckage. For heaven's sake, where are the brakes?"  $TSLA $TSLAQ

13163) -0.6444) 8/  ... that after the accident the distraught mother had admitted that her foot had slipped off the brake. The jury found no defect in the car.  $TSLA $TSLAQ

13164) -0.6378) 6/ remember a $TSLAQ report a few months back where a "Florida mom" reported that an MX started started on its own and almost killed her child?  How about this: The "60 Minutes" story starred a mother who had run over her six year old son. $TSLA

13165) -0.1396) 3/ '60 Minutes' ran a devastating expose of the Audi 5000. Customers fled. Lawyers cashed in. The American public was saved, yet again, from the perils of technology gone awry. Only one little noticed footnote remains at the end: There was nothing wrong with the car. $TSLA $TSLAQ

13166) -0.5267) VW has 122 production plants. $TSLA has a tent in the middle of a garbage dump outside San Francisco, an empty solar factory in Buffalo, a 30% complete battery factory near Reno, and a new building in a swamp near a ghost city in China. Basically the same market cap. Sure.  https://t.co/4l91gZcq6x

13167) -0.8481) One can only wonder with all the bad press the NHTSA $TSLA SUA is generating tonight when Elon and his flying monkeys will start attacking Brian.  Remember, he went after Keef, and he even wrote his WhompyWheel™️ complaints in all caps.

13168) -0.0772) “Why are there so many people in this country who want America’s only hope of being a world-leading car company to fail? I don’t think there’s mental balance on this company..” -James Anderson, Baillie Gifford @elonmusk $TSLA

13169) -0.5859) This is one of the most egregious things I’ve ever seen a company do to its customers.   $TSLA is going show cash on balance sheet from this theft.  Oh it’s for “the mission”.  What a fraud

13170) -0.4098) Isn’t this stock manipulation unlawful @SEC_Enforcement? He does it every time, knowing you have zero appetite to enforce the law unless it’s against $Tsla??

13171) -0.4019) 127 complaints. We have 122 of them here:  https://t.co/hlJDWAjZXi  https://t.co/7WNVDBYvOO $tslaQ $TSLA

13172) -0.2076) Earnings could be delayed if PWC decides to take a closer look at warranty expense, COGS recognition and unauthorized FSD purch-  Lol. Sorry. I couldn't finish that sentence with a straight face. The numbers will be fake as usual.  Carry on. $TSLA

13173) -0.422) This statement is so embarrassing, I want to change the channel.  $tsla

13174) -0.7269) Remember that time at $TSLA Autonomy Day when Elon took a question and the guy off-stage kept prompting (loudly whispering) Elon to say ‘SAFEty, say SAFETY’ and Elon just ignored him and spouted some other forgettable bullshit. Where were the signs? 🤷‍♂️

13175) -0.4767) Just a reminder to the $TSLA longs disappointed in the last 3 days of trading... last Friday we closed at 478.

13176) -0.296) Teslas Have A Feature To Prevent Unintended Driver Acceleration.  WHEN ENABLED (please turn it on) this feature limits (driver) acceleration if an obstacle is detected in front of the car (applies only while driving at low speeds).  $TSLA $tslaq  https://t.co/2chfX9aiNL

13177) -0.9438) 1) There are no $tslaQ bots. 2) What CNBC talking heads know about anything isn't worth a thimble full of mule piss. 3) Stupidly, we are The Enemy Within the criminal Elon Musk, without any power at all (just look at the SP, bro). $ And they say you can't call the top. $TSLA

13178) -0.8338) The inevitable is going to happen: German taxpayer is going to carry the burden of colossal management mistakes in German auto industry. Cheat, fraud, cartel forming, complacency, all need to be accepted. Too big to fail. Sad but reality $tsla  https://t.co/hRZpTJhSWg

13179) -0.4215) Broke: Unintended Tesla Acceleration  Woke: Unintended $TSLA Acceleration  https://t.co/XpfmabmWKU

13180) -0.09) $TSLA was expected to suffer as new EV competition came online, but that’s not been the case. ... buyers don’t necessarily want an electric car when they buy a Tesla — they primarily want a Tesla, which has replaced the latest iPhone as the coolest ...  https://t.co/GPLHeyUlm9

13181) -0.5719) Former $TSLA employee @3d_Cristina is not the only one who has run into Tesla failing to pay arbitration fees.  https://t.co/77LBblplUz

13182) -0.4767) "So the @NHTSAgov decided to open an investigation four days ago, today this was widely circulated by $TSLAQ, combined with a bear attack, on options expiry day"  $TSLA #NotSellingAShareBefore5000  https://t.co/5CcY1V7mN2

13183) -0.5106) $TSLA a recall of 500,000 cars would cause some panic?    https://t.co/pp5dTfxqu1

13184) -0.34) A while ago I criticized @teslacharts thread on $tsla sudden acceleration, saying that the auto industry had a long history of baseless &amp; tort-driven sudden acceleration panics. @Tweetermeyer had similar concerns. But if this data is complete &amp; correct, I may owe him an apology.

13185) -0.5927) I’ll be happy to be proven wrong and will catch some flack for this but I don’t believe $tsla ‘s have this issue. It’s an issue of whoops I pressed the accelerator and have instant torque/power. Still bearish and think the way autopilot is advertised is dangerous but ? on this

13186) -0.128) The only legitimate issue with Tesla is service. They are selling so many cars and it’s tough to keep up with service. And it inconsistent. This they can work on. $tsla

13187) -0.4019) $TSLA short int is $13.79n ;26.85mm shs shorted; 20.06% of float;0.30% borrow fee. Shs shorted down -116k shs, -0.4%, over last 30 days as price rose +35.5% &amp; up +185k shs,+0.7%, last week. #Tesla Shorts down -$2.45bn in January mark-to-market losses; +$40mm on today's -0.3% move  https://t.co/aeoVWHlMoX

13188) -0.516) $TSLA skyrockets and there is a sudden intended acceleration of NHTSA investigations, stock downgrades, and demand cliff FUD based on false numbers. 😳  https://t.co/iqB0jpVngb

13189) -0.6969) Fanuc isn’t the only major supplier to refuse to do business with $tsla. In fact, several tier 1 suppliers/major players in the equipment space refuse to do business with $tsla altogether.  Have names, may drop.  See the objective data:   https://t.co/v0RIJJ61Io

13190) -0.3802) $TSLA  Institutions and Funds are dumping, see attached!  https://t.co/3uwT56QtTZ

13191) -0.8934) Update $tsla $tslaq Norway🇳🇴  A little spillover from Dec delivered in Jan.  No activity in spreadsheet, no new orders, no new delivery dates.  No delivery/order activity in forum, just a little speculation on whether there will be a EV price war in Norway or not.  @fly4dat  https://t.co/BixKXwP1ue

13192) -0.3818) 🚨🚨🚨 @IONITY_EU started charging €0.79/kWh for everyone, ~55% off for their own brands.  #Tesla users are upset, despite Tesla simply not allowing others to charge at their stations.  Tesla doesn't have $$ to fund mass SC deployments.  Sic transit gloria mundi.  $TSLAQ $TSLA

13193) -0.738) What a disastrous day for $tsla after Morgan Stanley downgrade. Stock price crashes almost 1%. 😱$tslaq  https://t.co/us7GENL305

13194) -0.4767) $TSLA - in one of his typical infantile rages, @elonmusk, through his mobile phone at the CEO of Fanuc when he couldn’t get his way.  Hence, Fanuc USA, would never work with such a child again.

13195) -0.3818) $TSLAQ shorting $TSLA after losing billions.     https://t.co/XiWzZNnXns

13196) -0.6891) He is 100% right, BUT at a Disruption with a new leader like ⁦@Tesla⁩ $TSLA the old players can’t do much when they are no more cool but only boring .....  Consumer will always switch to the cool .....  https://t.co/fwPZIxjtAl

13197) -0.8245) This is why Ill be a risk/reward (RR) trader until I die. This entire $TSLA runnup from mid december to today, despite being my #1 permawatch ticker, I only traded TSLA 7 times. Mostly on the long side surprisingly (I dont fight strength), with only 2x 1R losses on Dec 6 &amp; Dec 16

13198) -0.2732) I think short selling becomes dangerous when you short a stock and try to convince others that it’s risky .... to believing your own half truths and short accordingly  For example- most know the Dec CA Tesla “data” is flawed but use it to push a narrative   Some believe it. $TSLA  https://t.co/0wnKcpTdXm

13199) -0.5574) You can’t make Tesla go bankrupt by shorting the stock shawties. $TSLA $TSLAQ

13200) -0.9884) In the $TSLA Beginning, there was Production Hell, which begat Delivery Hell, which begat Service Hell, which begat Supercharging Hell, which begat VIN# Assignment Hell, which begat End of Quarter on Sunday Receivables Hell, which begat whatever Hell this is... 👇👇👇

13201) -0.8316) @cazin678 "It's always some shithead in accounts receivable that blows the whole scam up." - Me  $TSLA $TSLAQ @CGrantWSJ @AlderLaneeggs

13202) -0.2732) I see SpaceX cash levels are getting low again.  You should sell some $tsla stock Elon.  The species needs a survival plan.

13203) -0.6808) $TSLA driver pulled over for going 130mph...  "When the man was asked to step out of the vehicle, he refused and attempted to close the driver's side door, before lying down across the passenger seat with his hands folded, according to police."   https://t.co/NJLrPdBLTS

13204) -0.4404) When someone nonsensical who usually spews lies, suddenly starts sounding measured and logical, it's a good indication FBI &amp; DOJ reached out during a criminal investigation. #Tesla $TSLA

13205) -0.8357) “Forty percent of all the short sales of $TSLA stock have been closed out since June 30, 2019. That means major losses, given Tesla's stock surge.”  If I’m reading this right 60% are holding on to losses in the hopes of a drop back to June lows 😭🤦🏻‍♂️🤡   https://t.co/OQ9cceM8I0

13206) -0.1511) @cleantechnica estimates that Tesla accounted for 83% (!) of US EV sales in the 4th quarter (78% for 2019)  Despite:  Other EVs having a $5625 tax credit advantage ($3750 for GM)  #Tesla direct sales banned in 18 states and limited in 8 more  $TSLA @zshahan3

13207) -0.296) if blue tick AND followers &gt; 50k AND someone known to tech bros AND tweet to musk THEN refund ELSE no refund. $tsla

13208) -0.6486) Pier 80 Today®...Glovis Cosmos did in fact get to the pier, arriving yesterday at about 8:30 PM. The Next Ship Mystery continues, at least as of about 5 1/2 hours ago, when Morning Conductor was &gt;600 NM away and dead in the water 70 NM off Baja. $tslaQ $TSLA  https://t.co/WDTWIXGsP0

13209) -0.8493) A bunch of people claim to have been mysteriously upgraded to Full Self Driving (and charged $7k without their consent) late in Q4.   It would have to have been a LOT of people to really matter, but... WTF? $TSLA

13210) -0.2709) if that's not how perfect top looks like then $TSLA stock lands on the Mars sooner than @elonmusk double dares  https://t.co/CHV1HnxBTr

13211) -0.1779) They are 1/2 done with the first of 2 tunnels... so 1/4 done... clearing 34 feet per day. Nowhere near the 100 ft per day represented by Boring and LVCA. Odd victory lap. False reps are easy to find throughout this project. Typical of  $tsla family of companies.

13212) -0.5003) Not lost on me that the same people who say “ignore the net income overstatement of $tsla indisputable warranty fraud (likely &gt; $1bn cumulative to date) bc it only overstates income during growth” are also the ones who rely on $tsla growing 10x its size to justify its valuation

13213) -0.3946) There is NO lack of demand in California for Tesla. It’s simply irresponsible to suggest otherwise from some silly inaccurate data. Just look at the roads. Filled with Teslas everywhere and growing. It’s ground zero for change! Bye bye ICE cars.  $tsla

13214) -0.5916) $TSLA coming back now.   As @jimcramer said this morning, on fundamentals the MS downgrade reads very bullish!  But it’s nonsense to put a 10x EV/EBiTDA terminal multiple (implied 20x 2023 P/E) on a business where Vols, EBITDA, and EPS all expected to grow 20%+ CGR next 10 yrs.

13215) -0.1531) Keep calm and always worry   $TSLA  https://t.co/BXUJmS5a6w

13216) -0.4939) With every commentary on $TSLA, @Lebeaucarnews increasingly proves how much of a moron he is.   H/T @CVCResearch   $TSLAQ

13217) -0.5423) $TSLA D/G and bad news from California.. and now HOD.... they won't let this name go

13218) -0.5267) $TSLA shorts will never learn. More of them were trapped this morning. It will close above $550 this week.

13219) -0.4696) Truly, where in the hell is the Federal Trade Commission's Bureau of Consumer Protection? California's Department of Consumer Affairs? $tsla @FTC @DCAnews

13220) -0.7351) You know it's a scam when the stock goes from $180 to $540 in 7 months, and the bulls still complain that shorts are holding the price down. $TSLA

13221) -0.1511) VW CEO says carmaker faces same fate as Nokia without urgent reforms 🚘⚡️  https://t.co/EgcNjHdFgR $TSLA #Tesla #EV

13222) -0.8625) I wonder if $TSLA's homegrown CRM system allows them to track which customers are suckers that won't push back against poor service so they know who they can steal from with impunity.

13223) -0.5994) Tesla Model 3 wreaks havoc on Mercedes-Benz and BMW in luxury sedan segment 🚘🔋📈  https://t.co/HKvoTYyqR2 $TSLA #Tesla #EV  https://t.co/2DI7pgOw5e

13224) -0.4767) $Tsla Model 3 wreaks havoc on Mercedes-Benz and BMW? Playing as expected in 2019.  https://t.co/nsHj0srY9k via @Teslarati

13225) -0.8807) Over &amp; over, $tsla classifies Air Conditioning fixes as “goodwill” instead of warranty  Auto gross margin &amp; $tsla current net income are both a complete frauds. fraud is extraordinarily blatant &amp; provably to the tune of several hundred million annually   https://t.co/8karu1J9Ym

13226) -0.3008) Time for $TSLA shawties to hurt some more. It’s okay, there’s more big $ to add to the short position..

13227) -0.0516) … $TSLA $TSLAQ down -30.1% y/y in 4Q19. Just a few yrs back, TSLA’s Model S/X cars were touted by TSLA bulls as likely taking over the entire global premium and luxury car markets (long gone are the days when TSLA put sales comparisons of its "Car of the Century" Model S...

13228) -0.802) $TSLA: Welcome to Production Hell at Shanghai Giga-3.   At least at Fremont's Production Hell the Model 3 was selling at &gt;$60K/unit. In Shanghai, they're starting at a factory price of &lt;$40K.   $TSLAQ  https://t.co/b9bHeCgYmO

13229) -0.4019) Taking money from people without authorization and then refusing to give it back is called theft  $TSLA

13230) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 269 (43.5%) Days left: 350 (56.5%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

13231) -0.2023) @WallStCynic @mark27883625 Not in 2020, methinks. $700m worth equipment to depreciate, yield problems &amp; ASP at cost.   Few analysts covering $TSLA realize that the factory price of the MIC Model 3 is probably around $35K after stripping out VAT &amp; tariffs on shipments to cities outside of Shanghai.

13232) -0.4767) @mark27883625 @BradMunchen $TSLA itself, on the 3Q conference call, said gross margins in China would be the same as in Fremont.

13233) -0.7063) According to $tsla shorties and affiliates, nobody actually bought Tesla in Q4 except in 🇳🇱 and 🇳🇴. California sales halved, Europe dried up. 🇨🇳 sales all the way went down. So who the hell bought 112K vehicles?...

13234) -0.2617) Imagine if you managed over a billion dollars in other people's money but  ➡️thought the Model Y was "fake" and  ➡️took the obviously incorrect @crosssellreport #Tesla California delivery numbers at face value 🤦‍♂️🤦‍♂️🤦‍♂️  #confirmationbias #$TSLAQblocklistvictim  $TSLA $TSLAQ  https://t.co/QhkJDPAZ1Q

13235) -0.7351) Damn, messed that one up. I STILL think this was a sharp ZZ correction to correct 472-550. Pivot low 473 is line in sand. If so, the wave to follow for sub wave 3 should be explosive $TSLA i am long again  https://t.co/WuMNEcSbS7

13236) -0.765) Crazy Eddie Memoirs: You can’t maintain a sustainable fraud if you screw everybody. $TSLAQ $TSLA

13237) -0.0516) Tesla shares are falling after controversial analyst Morgan Stanley Adam Jonas downgrades the stock. @TheDomino breaks it down $TSLA:  https://t.co/xYkS1wGSaz

13238) -0.6557) Nothing motivates sellers more than the fear of losing profits when a stock quickly reverses lower.  $TSLA

13239) -0.6344) I lost $400K in total on $TSLA from December  After this most recent dump I made $200K back  What a herb

13240) -0.2732) If $TSLA drops below 500 today the PBOC has to cut

13241) -0.3802) 4) Oh, and holy crap! $TSLA's Full-Self Driving technology is a national security risk if Chinese get their hands on it?   cc: @realDonaldTrump #peternavarro  https://t.co/T89BtdhdgL

13242) -0.4019) Interesting $TSLA debate going around re selling Tesla shares. If I held way more than you, sold some and still hold way more than you... does that make me bad? 😢

13243) -0.5707) $TSLA you should expect more downgrades back to under $400 Big money sold, only sucker money long this now! Just Saying #SHORT

13244) -0.128) What a “smart” approach to look at a local market for a company with one factory that ships their products globally and can’t keep up with demand.🙄 $tsla   https://t.co/WmubTAQawm

13245) -0.4404) Making a block list for anyone who sells $TSLA  https://t.co/BKJKy4mwZg

13246) -0.4404) $TSLA June 17, 2022 650 7.6M Call Block

13247) -0.6148) $TSLA: MS DOWNGRADES BASED ON VALUATION, UNFAVORABLE RISK-REWARD, RISKS TO LONG-TERM CHINESE BUSINESS THAT MAY NOT BE FULLY APPRECIATED BY MARKET

13248) -0.6476) $TSLA had record deliveries in Q4/19. Since they make a loss with every car they sell, we should expect record losses for the quarter!

13249) -0.296) Morgan Stanley Cuts Tesla To Underweight From Equalweight, Raises PT To $360 From $250 $TSLA

13250) -0.4404) German prosecutors charge 6 VW employees over emissions scandal 🚗⛽️💨 “…authorities &amp; customers in Europe &amp; U.S. were deliberately misled with the aid of unauthorized software fitted in VW Group vehicles,”  https://t.co/nsypiiXSyX $TSLA #Dieselgate

13251) -0.3182) Final Q4+2019 🇪🇺 #'s.  M3: 95.4k (+22.3% QoQ) SuX: 3.45k (-64% 19Q4v18Q4, -49% YoY)  Reds are estimates (and possibly favor SuX at the expense of M3 for a total of 1-200 units max for 2019).  $TSLAQ $TSLA  https://t.co/9zY6FgwxJu

13252) -0.6908) ~1.35 MILLION road DEATHS worldwide every year - mostly HUMAN error.  Self driving cars will dramatically ⬇️ DEATHS.  Last 4 years:  4 tragic deaths Autopilot ‘on’  5.4 MILLION road deaths  $TSLA $Tslaq  https://t.co/7Wxzfy7DOH

13253) -0.0762) And to think there were some who thought Prof. Galloway was @TESLAcharts. Not kidding. $tslaQ $TSLA

13254) -0.1027) $TSLAQ $TSLA Teslemming's logic:   The Model 3 sales halved in California during the last Q, when compared to Q4/18, because screw the home markets and Tesla prefers to serve faraway Dutch and Norwegian customers anyway, right?

13255) -0.6289) Reports: Tesla sales drop in half in CA after tax incentives end  Tesla overall vehicle registrations  nearly halved in California during 4Q  The drop comes as tax credit for Tesla buyers ended in 2019.  It was $3,750 at the start of the year and $1,875 in July.  $TSLA #tesla

13256) -0.4019) $TSLA  "Some Tesla owners are unintentionally buying expensive software upgrades through the automaker’s app, and they are having trouble getting refunds."   https://t.co/HOLcoJbB7h

13257) -0.3612) $TSLA  "Convicted sex offender Jeffrey Epstein set up a former girlfriend with the brother of Tesla Inc. (NASDAQ: TSLA) CEO Elon Musk in a bid to make a connection to the billionaire tech executive, according to a report out this week."   https://t.co/17bGvUtoHr

13258) -0.1779) Sad to see some $TSLA bulls turned dark side after closed/decreased their positions with gains.

13259) -0.128) Hey you guys- I think I found the $TSLA demand cliff:  https://t.co/U3ULHiHBAG

13260) -0.5267) Way to film yourself in your Model 3 crashing while using #Tesla Autopilot dude.  15 seconds of pure driver terror. $TSLA   https://t.co/jXDGaHpIKy

13261) -0.0772) What is Jaguar doing? If they're cold weather testing the new XJ anywhere other than sunny Southern California then they're doing it wrong. $TSLA cold weather tests their cars in Palo Alto, that's all that is needed....   https://t.co/TbRuxV0nXE

13262) -0.1027) Tesla has outperformed the S&amp;P by ONLY 22% since the beginning of 2019.  Many seem to forget that the bulk of the recent $TSLA rally is simply a recovery from the 2019H1 drop, which was overdone in the first place.  There remains an immense runway for growth &amp; outperformance.  https://t.co/ldF0ylHFMw

13263) -0.5994) TL:DW - How far do EV's really go before they die.   Niro - 90% of claimed range Leaf - 87% of cr E-Tron - 81% of cr $TSLA Model 3 - 78% of cr I-Pace - 76% of cr EQC - 75% of cr   https://t.co/0tNF6zLApF

13264) -0.6597) $TSLA - This is more than a “Musking”, this is flat out robbery.   Since Tesla delays refunds, they can financially report this in their earnings call.   It took the Black Swan Author to expose This brazen Fraud.  $TSLAQ #Musking #tesla

13265) -0.1572) Nothing I say is advice about trading.  You're an idiot if u look to twtr for that.   However, many bears are eager to say "small, not there, etc"    Let me be clear.  I have MADE and LOST a LOT.  In the end, chips will fall where they may.    But, $TSLA ain't my first rodeo.

13266) -0.2716) $TSLA $TSLAQ it is almost like Elon is a liar, and the Fanboi's believe everything this snake oils sales man says.  https://t.co/yX9dThPeu0

13267) -0.6907) Played out nicely. Faded from 538 to 520 as expected for nearly 20 points. But sold OFF into a 2H RBR demand. Traders selling after a DROP in price into a level of DEMAND ON elevated volume. Think about who is on the other side of the trade. I think it rallies from here $TSLA  https://t.co/gHkGJ83Wh1

13268) -0.2648) What’s taking that podcast so long to drop? I want to hear how Elon walks back the Robotaxi claims. $TSLA $TSLAQ

13269) -0.1933) 1/ My small short position in $tsla is nagging at me, but FOMO for me is missing out on the comeuppance for Elon Musk when the tottering edifice of confabulations comes down around him. That said, his enablers at IBs helped him package a can't lose deal for a new convert issue...

13270) -0.2411) I'm not sure how the economics works for tesla solar. If they rent you the panels at lets say $100 a month.  They have to be generating more power than you use that they can sell back onto the grid or it makes little sense... I assume that's the model... @elonmusk ? $TSLA

13271) -0.1027) Employees at Tesla are joining this campaign for a pay increase→  https://t.co/2z5SgRQCmH  $TSLA @Tesla

13272) -0.7772) 14 days for the $TSLA short burn!! 🔥🔥🔥🚀  https://t.co/U5YvoRSKNF

13273) -0.3182) $TSLA bad news has to be coming Elon probably took a loan from Epstein (it's a joke) don't sue me Elon

13274) -0.6249) @lorakolodny @CNBCtech How is the pay of the $TSLA sales employees compare to the industry average? As always, your article is void of any context, just loaded with negative insinuations.

13275) -0.3612) I have to give credit where credit is due.  I thought screwing your employees, your customers and your suppliers was the kind of short term thinking that would lead to trouble.  I was wrong.  It's a very viable business strategy.  $TSLA

13276) -0.1677) $tsla is performing so well that . . . No longer pays a living wage to  sales force, significantly cut employee comp in 2H 2019, &amp; delayed everyone’s equity award til 2020, likely to keep all the 2019 dilution for Musk’s insane compensation.   https://t.co/ej0dLqTicC  https://t.co/nq3IyYOc4n

13277) -0.7808) Who’s letting today’s action in $tsla scare them into taking profits?  Who’s contemplating jumping in now for fear of missing the next leg up?  Looks like the fear-of-losing-profits crowd is in a significant tug of war with the fear-of-missing-out crowd.  Which camp are you in?

13278) -0.2037) Options are not easy. The stock is down $10 and the $500 weekly put is not even green. Be careful with option. $TSLA.  https://t.co/KgIsA9Acw1

13279) -0.7139) a) no apology b) “in general” c) “should be” d) typo e) no admission one click purchase with no confirmation is a mistake $tsla

13280) -0.2732) Porsche Taycan Turbo S Gets Low 192-Mile Range From EPA 🏎🔋🔌  https://t.co/zPO9DDWmAS $TSLA #Tesla #EV #Taycan  https://t.co/Q7rtN1tmTA

13281) -0.2617) Blue check service phenomenon for $TSLA seems like a ripe topic for a mainstream news article, but I am no business news editor.  https://t.co/2NSLtwxaHV

13282) -0.6927) @PATreasury @tagueja @thirdrowtesla Nor invest in $TSLA. But real question is why Pennsylvania Treasury wants to attack another solution to remedy congestion that bears no financial interest to Pennsylvania? Sounds like a  personal grudge or jealousy @elonmusk

13283) -0.6219) $TSLA - Hahaha!  Wow!  Talk about being Musked!   This company is shameless and the worst of the worst in ethics.  $TSLAQ

13284) -0.9106) When thinking about the scale of the autopilot disaster, remember this: Fans will cover for the criminal Elon Musk. They will never file vehicle safety complaints with @NHTSAgov. $tslaQ $TSLA

13285) -0.8537) I know it's boring &amp; boneheaded, especially when it's all about stock price, bro, but you're invited to board my mini-sub &amp; take a deep dive into $tsla's absurdly misleading gross margin metric.  https://t.co/TYMQgVw8Gg

13286) -0.296) $TSLA im going to stop messing with this until blow-off day. these papercuts add up fast  https://t.co/hQKaaFK34Y

13287) -0.0772) Bad karma catches up with $TSLA FUDster &amp; clickbaiter @matousekmark 🤣  Way to go @SpiritAirlines 👍🏻   https://t.co/5kiXMgJ3p7

13288) -0.7017) @ElectrekCo @InsideEVs Hey, @FredericLambert &amp; @llsethj, here's a question (it's rhetorical; we all know the answer): Are you two so gutless, dishonest, and totally in-the-tank shills that you can't do truly tough, honest, deeply-researched reporting on $TSLA at electrek? @InsideEVs puts you to shame.

13289) -0.5635) 9/ In other words, $TSLA 100% absolutely knows these problems exist for many of its customers, handles only the most persistent complainers, and keeps most of its customers in the dark about significant potential defects &amp; safety issues.

13290) -0.5719) 8/ Second, and more insidiously, by classifying repairs of serious problems as goodwill rather than warranty, $TSLA avoids having to issue Technical Service Bulletins or issue recalls:  https://t.co/HXTSaP4kTE

13291) -0.2732) 7/ First, classifying the work as goodwill is an end-run around lemon laws. The story quotes attorney Edward C. Chen, who represents clients suing $TSLA for OTA updates that materially decreased their cars' range:  https://t.co/97tDRlPWDp

13292) -0.5994) 2/ Inevitably, the usual swarm of $TSLA shills, some likely paid, swarmed to the comments section to challenge our evidence, to deny it was happening, to put forward lame excuses, etc. New to the swarm was this guy, who left dozens of innumerate posts.  https://t.co/5LVhYTVbUf

13293) -0.4767) 1/ Several weeks back, @orthereaboot &amp; I published a piece @SeekingAlpha detailing how $TSLA has a persistent pattern of classifying warranty expense as goodwill. We detailed how that practice inflates both gross margin AND net income. Link later. Summary points here:  https://t.co/Y7S4auDlyn

13294) -0.25) Taleb butt-bought a software upgrade with one click and is furious over their default no refund template, this is some karmic delight $tsla

13295) -0.6077) So this is crazy. Dispite shorts covering millions of shares. Because the stock has gone up so much. The actual short value has increased. The losses are devastating. Billions. We should see some firms packing up shop... $tsla #tesla

13296) -0.8625) @nntaleb Painful as it is, consider yourself lucky, as Tesla customers are not going to experience even a 1% of the pain that lurks for $TSLA shareholders.  Once the hype goes away, the weight of lies and all the fantasy fluff will come crushing.

13297) -0.3182) Speaking of things that $TSLAQ has discussed while $TSLA bulls ignored, here's another.  https://t.co/Imq2xdZb5d

13298) -0.4767) Whoever said #foolcells grabbed the wrong end of the stick. @elonmusk $tsla $tslaq  https://t.co/El44n55HfD

13299) -0.2732) The bigger issue here is the misclassification affects the warranty reserve calculation, leading to an overstatement of auto GMs.   The lemon law stuff is a side show IMO. $TSLA $TSLAQ  New Tesla In Need Of A Repair? Check If It Was Marked Goodwill  https://t.co/2OkXdsHlRG

13300) -0.1832) This is something that  $TSLAQ folks have talked about for a while, while $TSLA bulls ignored it.   There are more things like this. There are no bullish explanations for them.    https://t.co/jgZQqbukE9

13301) -0.4019) $TSLA short int is $14.47bn ;26.90mm shs shorted; 20.10% of float;0.30% borrow fee. Shs shorted down -601k shs, -2.2%, over last 30 days as price rose +50% &amp; up +972k shs,+3.8%, last week. #Tesla Shorts down -$2.93bn in January mark-to-market losses; +$205mm on today's -1.4% move  https://t.co/N1PJK3ZiBC

13302) -0.2023) @elonmusk @ARKInvest 30) By the way I know any $TSLAQ reading this will dismiss these potential production &amp; delivery levels as impossible dreaming or fraud or whatever.  But clearly towards $100bn of capital disagrees with you on this and you at least have to consider the possibility $TSLA deliver.

13303) -0.296) Prediction: The made-in-China Model 3 will have a factory price of $35,000 by year end, something that $TSLA refused to achieve in America.   $TSLAQ

13304) -0.5574) Hey @jimcramer, serious question:  How can $TSLA be an ultimate #ESG stock when they partner with the CCP, who per @SquawkCNBC guest @Jkylebass practices organ harvesting from concentration camp prisoners?

13305) -0.4404) How’s that block list working for you #DumDum’s?  $TSLA 🥴🤡 $TSLAQ 🤡🥴   https://t.co/sptGstWEwV

13306) -0.3612) The rate at which $TSLA stock is growing is scary 📈.  Might transfer 50% of my crypto.

13307) -0.8011) $TSLA is up $119/share since the US EV tax credit ended. I was told by $TSLAQ for years that #Tesla was doomed without the credit. Starting to suspect they have no idea what they are talking about  https://t.co/q10OeRTmRx

13308) -0.7345) If Tesla delivers UDDS range of 442 miles for the Performance Model Y as opposed to 280 miles promised on the order page, other automakers should sue $TSLA for damages caused by this fraud!

13309) -0.6322) "Tesla is Apparently Naming Warranty Service as Goodwill Repairs: Why?"   This is from pro-Tesla InsideEVs. Why would InsideEVs post picture proof of $TSLA's accounting fraud &amp; breaches of lemon laws?   H/T: @Lazcheven  cc: @montana_skeptic @orthereaboot    https://t.co/N8H7H9nijE

13310) -0.296) Made in China 🇨🇳 Tesla Model 3s are dominating the Chinese DMV again   $TSLA #Tesla #China  https://t.co/Vr3rsZFPbA

13311) -0.4939) Wondering which balance sheet line item any of $TSLA's former CFOs used to hide the "forklifts" of stolen copper worth "millions" according to Lynn Thompson, who lost his job over his willingness to speak up...  https://t.co/EOempdZHqJ

13312) -0.2714) Thank you @Tesla and @elonmusk!  By betting big on $TSLA call options the past several months, I was able to: - pay off all my debt - pay the down payment and closing cost for a new house - and still have more invested in my brokerage account than I had at the start of 2019

13313) -0.3182) Notice anything odd about this? $tsla  https://t.co/pJdiNZM1E9

13314) -0.6124) This has to be one of the _dumbest_ $TSLA articles I've ever read.   Seriously... 🤦🏻‍♂️🤦🏻‍♂️🤦🏻‍♂️  https://t.co/77QwoOV8Px

13315) -0.501) Sorry. But “reporters” write hit pieces not because they haven’t driven a Tesla yet. They write because they are PAID to write hit pieces on $TSLA! And no amount of test rides will change that.

13316) -0.7351) The one thing Elon Musk has going for him is that many of the lawyers working at the SEC NYC offices at Vesey Street are nitwits, the kind of idiots I wished came after me when I was as trying to get away with the Crazy Eddie fraud. $TSLAQ $TSLA

13317) -0.8016) More dangerous Tesla #SmartSummon antics. Are all $TSLA owners absolute assholes?  https://t.co/35BOHl4uCJ

13318) -0.2263) While fossil auto companies drag their heels (and knuckles) @elonmusk set a goal for @tesla to build 20,000,000 electric vehicles per year.  May need to go higher ....  #EVs $tsla #tesla

13319) -0.8389) Or he knows the sad sad truth of our Nightmare from @Tesla’s Negligence... Today is Day 334!  Watch, I am exactly who I say I am! A Tesla Customer left w Major Damages solely from @Tesla performed Full Reroof + PV Install!  Cc @elonmusk 👈👈   $TSLA $TSLAQ #TeslaSolar #Tesla

13320) -0.6072) Tesla's Buffalo plant gets $884 million write-down  https://t.co/3OOqxqjXkQ 1/ how many employees here again @elonmusk ? 1460 ? 2/ The fine by April 2020- $41.6 million? 3. When is the Solarcity fraud case being heard? April? Too much money out the door..  $tsla $tslaq

13321) -0.6594) Why do I take it personally when a $TSLA bull, whom I’ve never met, takes profits on a company that I didn’t start, didn’t build, don’t run, or don’t even work for? So odd.  https://t.co/FqPS4Xo84s

13322) -0.5494) Except for a very few, fleeting and highly uncertain moments, we are not allowed to peer into the future, but there are two things I know about tomorrow, January 15th: 1) I will be paying some taxes, and 2) there will be no trade deal. $tslaQ $TSLA #HowLongHasThisBeenGoingOn?

13323) -0.6249) Why is electrek showing a photo of version 1 of the solar roof tiles when $tsla is now on to the (much uglier) version 3? Reminder: Elon said 1,000 installs a week by Y-E 2019. This is all eyewash for the Delaware lawsuit.

13324) -0.4019) Drugs are a problem at $TSLA's Nevada factory. Depicted here, cocaine. Storey County, Nevada Sheriff's Office Bodycam Footage: Case No. 19-728 July 27, 2019 8:27 PM:  https://t.co/sreIZoQHXr

13325) -0.4019) Tesla shorts down $1.25 billion in mark-to-market losses $TSLA    https://t.co/tjftMg2utf

13326) -0.4767) You should all be ashamed of yourselves for allowing this charlatan on your show/network. @JoeSquawk @andrewrsorkin @carlquintanilla @jimcramer @MelissaLeeCNBC @ScottWapnerCNBC @MorganLBrennan  @jonfortt $TSLA

13327) -0.5719) Why does Electrek hate electric cars from automakers other than $TSLA?

13328) -0.3612) Always amazed that this $TSLA Solar Tile promo shot shows no fasteners.  You know, those things that actually hold the roof down in place &amp; together but also can create those niggling problems known as "leaks?"  https://t.co/KW0xqaz8J1

13329) -0.9211) Pathetic Porsche... Really, not even 200 miles. It's just not worth buying with such poor range.... #tesla will kill this one too $TSLA

13330) -0.743) @SquawkAlley @CathieDWood @CNBC @carlquintanilla @MorganLBrennan @jonfortt If I say something outrageous, silly or just stupid about  $TSLA or any stock, will you put me on your show too?

13331) -0.3821) $TSLA - What?  Panasonic is in on the copper theft?   Seems like JB’s recycle company may be in the mix too.  This Tesla story is so dirty on so many levels and areas...

13332) -0.2411) Bernstein’s latest report rates $TSLA “Market Perform” with a price target of $325.  Not sure if that says more about Tesla, the author, or expected market performance...  https://t.co/KM96CanVY6

13333) -0.5216) Oeps, not good for @Porsche , less than 192 miles range for an EV that expensive is simply not acceptable.  For Porsche drivers the question remains :  How much is left of that 192 miles range at the German Autobahn driving 200 or 250 km/h average ?   $TSLA

13334) -0.6662) @TESLAcharts @CNBC Fuck the SEC. How about CNBC disclosing she is a seller of $TSLA common ?????????????   @timseymour is the sole source of sanity there.

13335) -0.34) There was a time when Wall Street thought Crazy Eddie was going to surpass Walmart. $TSLA $TSLAQ   https://t.co/ZHRCCatmGH

13336) -0.743) hardly saw any $TSLAQ folks say they covered, stopped out, took the loss on $TSLA.... nope. They are still right and everyone else is wrong

13337) -0.3818) If you ever feel bad about selling too early, remember that Kimbal Musk sold $22,470,351 worth of $TSLA at $350.

13338) -0.7249) @elonmusk Those w/out a fundamental understanding of $TSLA: "Holy moly, the stock doubled in three months. I should take some chips off the table."  Those with a fundamental understanding of @Tesla: "#NotSellingAShareBefore5000"  Those who endured $TSLAQ abuse for years: BURN THE SHORTS!!!  https://t.co/9jF0kt5f8N

13339) -0.4939) A must watch video; another $TSLA whistleblower says that $millions of copper are being stolen by guys w/ Panasonic badges &amp; sent to "Tesla Recycling"; he indicates that this is probably an inside job; says $TSLAQ is terminating him for calling attention to this recurring theft

13340) -0.128) Demand cliff $TSLA  https://t.co/4qv0e8INg9

13341) -0.4767) Traders betting against Tesla lost $1.25B in one day 🧸📉 “The recent rally may be final tipping point for mother of all short squeezes,” Dusaniwsky said. “If shorts begin to cover in size, we expect $TSLA rally to get turbo charged to even higher levels.”  https://t.co/J3Y96o4QXE

13342) -0.296) Cathie Wood has a $6000 price target on $tsla. She is either PT Barnum or Albert Einstein. I suspect the former.

13343) -0.6705) With everything he's got going right now, Elon should just push her off the Gravy Train; she's actually hurting the case by regurgitating all these $TSLA lies again and again.

13344) -0.3182) Cathie Wood sold 30,000+ shares of $TSLA yesterday. She’s on @CNBC now pumping a $6000 price target. If only there was a regulatory body charged with policing such nonsense.

13345) -0.34) Crazy Ark Lady:  $TSLA $4k target raised to $6k, now raised again to Mystery Amount.

13346) -0.7506) If @NTSB "splits the baby" again finding fault with both the driver &amp; Tesla, it's more of the same.  $TSLA is 100% responsible for intentionally releasing an easily adulterated &amp; misbranded device that's predictably causing harm or death.  #TheSociopathicBusinessModel #Autopilot

13347) -0.7269) @PATreasury Just jealous they picked LA, Vegas and Chicago? Poor guy probably had a short position on $tsla and is probably getting burned. @thirdrowtesla

13348) -0.25) I’m starting to get the hang of this, flying roadster robotaxi to be unveiled on Feb. 24.  Grimes to tweet a nude selfie afterwards. $TSLA $TSLAQ

13349) -0.886) @BloodsportCap @TESLAcharts @elonmusk @NTSB If they "split the baby" again finding fault with both the driver and the Tesla, it's more of the same.  $TSLA is 100% at fault for deceptively &amp; intentionally releasing an easily adulterated &amp; misbranded device that's causing predictable harm or death. @NHTSAgov @TheJusticeDept

13350) -0.765) (The conclusion of the accident investigation that $tsla was removed from for violating NTSB rules as discussed in the initial link in my tweet)

13351) -0.561) The meeting and $tsla related press gaggle relate to final report &amp; recommendations out of this accident:   https://t.co/YemSVPx1QY

13352) -0.0828) NTSB is the real deal.  Naturally, $tsla hates them, &amp; naturally, they don’t have any non-investigative authority. There’s a very real chance this meeting is to call for a formal recall ofAutoPilot”  See  https://t.co/1buMtExgQl

13353) -0.1779) $TSLAQ Shorties are funding a Model S per day for me.   Thank you, you fools. 🙏  $TSLA #Tesla

13354) -0.7786) @Tesla shorts down $1.25 billion in mark-to-market losses ⚡️Traders shorting $TSLA didn't have a profitable 2019, and were down roughly $2.9 billion in mark-to-market losses for the year, according to S3 data. @elonmusk  #Tesla #tslaq   https://t.co/DAixKoe5Z1

13355) -0.0772) 8 hours... err sorry... 8 DAYS later solar roof update on a 1,300 square foot house. $tsla

13356) -0.1469) If $TSLAQ believed the massive amount of FUD they spew out, they would go all in now. They haven't, because even they don't believe the nonsense they spread.  They just talk.  $TSLA #NotSellingAShareBefore5000

13357) -0.3182) $TSLAQ bears are staying put (ha)  $TSLA short-term price action, IMO, has been mostly driven by algos and bulls trading in and out... #smh

13358) -0.4019) $TSLA short int is $13.93bn ;26.54mm shs shorted; 19.84% of float;0.30% borrow fee. Shs shorted down -952k shs, -3.5%, over last 30 days as price rose +46% &amp; up +628k shs,+2.4%, last week. #Tesla Shorts down -$3.16bn in January mark-to-market losses; -$375mm on today's +2.7% move  https://t.co/5VZMaLZjgf

13359) -0.4404) I’m getting a lot of question about the next key resistance levels in $TSLA.  Listen up.  Resistance is futile.

13360) -0.4404) This is madness, no... this is $tsla  https://t.co/KffCbYsict

13361) -0.2732) 5) The Chinese financial news wildly speculated about how $TSLA &amp; Olympic Circuit would grow like crazy. Trading in Olympic was halted on 3 occasions as it rose by its limit of 10%. Finally, Olympic announced that it had no contracts from $TSLA on Jan-6th.

13362) -0.4019) $TSLA "I won't lie to you, Neo. Everyone who has shorted TSLA has died. I have seen men empty entire bank accounts and hit nothing but margin calls" - Morpheus  https://t.co/sRojMK8Ava

13363) -0.296) Tesla up 4% on news that Elon Musk can no longer be sued by “pedo guys” since he has one in THE FAMILY.  $tsla $tslaq  https://t.co/wEhxc4lRjS

13364) -0.5574) Well, 2019 is in the books. Tesla short sellers warned me for years that competition was coming and S &amp; X demand would fall off a cliff.  So let’s take a look back and see how badly Tesla‘s 3 models were trounced by “The Tesla Killers”, iPace, Etron, and Taycan. 😏  $TSLA $TSLAQ  https://t.co/jheD2yW8fA

13365) -0.3412) @vm_one1 @28delayslater People who own $TSLA and know from experience how the stock fluctuates for no good reason.  https://t.co/xppwFRhOxL

13366) -0.6597) Adam Jonas is a shameless market manipulator. His 2019 outrageous actions will never be forgatten. $tsla

13367) -0.0899) The $TSLA drop will be beautiful. Finally papa got his short squeeze. But nothing lasts forever. Stay strong my short selling cabal, we will FUD harder than ever before. Can’t let big oil loose. $TSLAQ

13368) -0.4898) Looks like it’s going to be another crazy day for $TSLA!!! 🔥😳🚀 #tesla $TSLAQ  https://t.co/MxfC6J4XJZ

13369) -0.7416) @agusnox We are not the ones with over 5000 people on a block list so we can't hear the truth anymore. No bull is afraid but for a few bears that have lost and will lose everything. Like the guy that will get a divorce because of his exploding $TSLA short position

13370) -0.6476) $TSLAQ requires the capitulation of bulls to actually make any money. This is why the are constantly on the offensive.  $TSLA Bulls just require Tesla to execute.  So why do bulls care so much about the shorts? Because they are constantly attacking us! No other reason.

13371) -0.0516) $TSLAQ admit they missed the $TSLA bankruptcy apocalypse prediction but after brief internal discussions in their thought bubble, they decided they are still right and the stock price going up confirms bankruptcy at later date.  https://t.co/VmWZt1CfPl

13372) -0.5574) Oh shit. Now $TSLA will go to $840.    https://t.co/8GKVxo0OEz

13373) -0.1298) Big news from @Teslarati .  If ModelY is coming up earlier, it will be a logistical nightmare for Tesla. Whole Europe will be supply constrained from day one. It will be the most popular car in Europe with insane demand. $tsla

13374) -0.4939) I am short $tsla via puts and I slept like a baby: woke up every 2 hours crying and screaming...

13375) -0.2584) Google won't let you sign in with the Tesla web browser because it is considered "not secure". Tech company. $TSLA $TSLAQ  https://t.co/jae1Qj3484

13376) -0.743) At any other company, having even the hint of a board member associating with a known a child sex trafficker would result in a quick resignation and the hiring of a crisis management team.  At $TSLA it's a Tuesday.

13377) -0.4137) $TSLA - what ever happened to the old school concept of keeping your eyes on the road?  What if there was a stationary fire truck in that lane?  @NHTSAgov  @Ctr4AutoSafety

13378) -0.1027) @Brett_Swanson7 @thirdrowtesla The fact that in just 2 short years they pay themselves off, is an indicator that @tesla semi sales will be through the roof $TSLA

13379) -0.296) @TESLAcharts Worth pointing out that according to Stewart, Epstein claimed in that meeting that he was "advising" Elon on his fake $TSLA LBO.

13380) -0.5106) In August 2018, during the $420 fiasco, the NY Times interviewed Elon Musk and, separately, Jeffrey Epstein (about Elon Musk) on the exact same day. James Stewart, the key NY Times $TSLA reporter, interviewed Epstein. Before Epstein was national news. 🤔🤔🤔

13381) -0.5413) So ironic that $tslaq cult is so against entities that lose money. $tsla

13382) -0.3094) Am I tempted to short $TSLA? Absolutely. I have looked into it and haven’t been able to pull the trigger.   Why? Because I want to trade it technically and I don’t know where to put the stop.   #BellRinging

13383) -0.5423) What the fuck was Antonio Gracias thinking? $TSLA $TSLAQ

13384) -0.128) Imagine not buying $700 Feb calls on $TSLA and paying 10x normal IV smh $TSLAQ. When we top at $777.69420 I’ll be opening Pickle Capital and I’ll be buying is put options. Get your $100 minimum investment allocation now before spots fill up. Only 10 spots btw.

13385) -0.7456) Pier 80 Today®, the "What the HELL is that?" Edition...that is the Miguel Keith, a heavy-lift ship that has absolutely nothing to do with Tesla; it left at 1:30. We're still expecting Morning Conductor late Friday, and we've finally got some cars, &gt;2500 this morning. $tslaQ $TSLA  https://t.co/TjHtqSwEcg

13386) -0.6369) So $TSLA Powerpack has made an appearance at an office building here in Tarrytown, NY. I'm assuming they are using it to demand shift the steep ConEd peak charges or maybe emergency power. I expect to start seeing these pop up faster than Model 3s.  https://t.co/k6bdNprhcm

13387) -0.5972) “CBS12 News crews noticed authorities remove a bicycle and tow a Tesla from the scene.  Jupiter Police say the bicyclist went to St. Mary's Medical Center with unknown injuries. It's not clear whether the injured bicyclist went to the school.” $tsla

13388) -0.2263) When you start the day posting that $TSLA broke $500, but it closes $525..  But then AH ends the day up another $6.66/share..

13389) -0.3382) $TSLA up $45.57 (9.53%) today. On 11-23-2011, a few weeks after @elonmusk came to speak at Fool HQ, I recommended the stock for @TMFRuleBreakers members at $31.45. So today we made more money in a single day than our cost basis, so that is a #SpiffyPop!  https://t.co/LjDrqqXxpu

13390) -0.434) @bqbedbears @jaberwock2 No, not worth it. In 3 years, Forbes will have on its cover the $TSLA short who refused to capitulated when all the others had left town, and scraped an ungodly amount of chips off the table.

13391) -0.4404) Settled at $524 today. Time and time again, $TSLA keeps crushing my short-term estimates. A bit hard for me to keep up w/ this run-away stock. Let me raise my estimates in increments of $20 instead of 10.👇👇👇  500👉520👉540👉560👉580👉600 (Disclaimer: not investment advice)

13392) -0.664) What Im doing is getting to a position Im ok with so when it does go down again, which it will (how much or long who knows) but it will at some point. You're in a position to hold and even add more on the dips. But going all in at $525 is kind of stupid... $TSLA

13393) -0.1923) I actually had 3500 of Tesla I bought at $30 too, 7 years ago. Today same thing I have 200 left. Sold much along the way. Ive traded it and added a bunch last year but if didnt take profits, what would that be worth... $TSLA

13394) -0.6369) A few months ago, I tweeted to invest atleast $1,000 into the Tesla’s stock because it was at $250.  News came out about Elon Musk and the stock plummeted below $200 so I decided to hold off on the investment  Today, $TSLA is at $524 with projections to break $600  I’m pissed.

13395) -0.3182) $TSLA shorts have lost $11.44B since 1/1/2016 per Ihor Dusaniwsky  🤡🤡$TSLAQ🤡🤡

13396) -0.4642) We've spoken to many people who are heavily invested in Tesla. If you're not sure whats best to do, feel free to reach out and we can talk about different strategies to reduce risk and continue to own Tesla. $TSLA

13397) -0.4019) S3 Analytics: #Tesla $TSLA Shorts Down $1.25 Billion in Mark-to-Market Losses on today's +9.77% price move. Read my research note at   https://t.co/fUUDwLrI9M  https://t.co/nzWQH9VOBa

13398) -0.936) Chanos will be forced to close out his short position soon, securing losses for his investors. Losses that will never be recouped even if Tesla does one day go BK.  At this point, even if $TSLA were a fraud (theyre not) $TSLAQ woupd have lost so much money, theyre still wrong.

13399) -0.4019) $TSLA this chart is insane.  https://t.co/wgUKwXYWEt

13400) -0.2263) When you start the day posting that $TSLA broke $500, but it closes $525..

13401) -0.6525) Folks asking me about $TSLA.Reminds me of Iomega.99% of you were in grade school when that was going on. Elon has been enabled so very hard to stop &amp; watch .The fact that @opinion_joe promotes Frauds and those that enable them,flies in the face of what @bethanymac12 has done here

13402) -0.0772) The sharp spike of $TSLA today reminds of AMZN in 1999, when its stock price was up ten-fold from 1998. My rating for TSLA is “hold”. Hold for 10 years.   Missed AMZN like me? Don’t miss TSLA.  https://t.co/ZmJyE2te2H

13403) -0.3182) $TSLAQ $TSLA  Finished up 9.75% on a volume of 26m shares traded (250% daily average).  Trying to fight this type of irrational exuberance is bonkers  Trade carefully

13404) -0.4215) papa less than 10% away from a $100b marketcap and a likely $2b payday. i only regret not getting the $600 calls when they were "cheap" on friday. $tsla $tslaq  https://t.co/qNF6qJ6yoz

13405) -0.6908) Some ppl think $TSLA stock keep going up because of the upgrades from the analysts. Some ppl think it’s a short squeeze.   I see it as the majority of the public got fooled by media with bias (bearish) analysts for a very long time with nonsense narratives. Finally awakened.

13406) -0.5859) Things become really dramatic Tesla Stock Breaks $500 Mark for the First Time Ever.  🔥A legend in America automotive history  🔥A company about to kill @VW  🔥A stock worth owning for a lifetime  #Tesla500 $TSLA #Tesla  https://t.co/O00YpPOxsI

13407) -0.8494) $TSLA  "Tesla literally has no service # I call sales. They tell me I have to go thru app and someone will call me. App tells me no appointment for a month. They tell me NO LOANER AVAILABLE. This is a brand new car they gave me defective."   https://t.co/SUDqhemE6f

13408) -0.3182) has anyone on sell-side even bothered to ask the size &amp; basis of the "non-recurring items" that benefited $TSLA Q3?

13409) -0.3736) Where’d all those maniacs that would show up anytime you talked about $TSLA?  How was the first day at McDonald’s?

13410) -0.6115) $TSLA haters and short sellers completely obliterated not a short left alive

13411) -0.2023) I just sold my last three tranches of bank loans from one portfolio we manage.  The single dumbest asset class in the history of markets.  Never again.    Would rather get long $TSLA at 520.

13412) -0.8176) Chode-nose the dinosaur crying about how a nobody analyst fucked him by dividing two made up numbers. It’s ok, you can console urself by telling me more about executive departures and competition around the corner. $tslaq $tsla  https://t.co/pyK4XHyNGL

13413) -0.4549) If you’re “investing” only based on the stock price (without technical/fundamental analysis) that’s not investing, that’s speculating and you’ll most probably lose money. $TSLA

13414) -0.4753) Strongly considering selling all my $TSLA shares and start ranting irrationally about how bad the car is.  Who's in?!

13415) -0.4588) A friend of mine told me that his Lexus 2011 (simple ICE) burst on fire while been parked on the dealer's parking lot.  The fire (according to fire department) started in interior of the car.    If this was $TSLA not Lexus it would be on national news.  It is not.

13416) -0.1695) Its a given IMHO that $TSLA gets thrown in the S&amp;P 500 and SpaceX gets merged into it... Dont be surprised if/when it happens.

13417) -0.3182) The ultimate $TSLAQ loss will exceed $100B following the $TSLA short squeeze.

13418) -0.7964) Mark slashed his position from 10% to 5% when $TSLA was reaching high $490's, then when $TSLA started heading towards low $490's, he brought it back up to 10%.   He just made a couple of stupid moves on top of his dumbest move.  https://t.co/3Hey9h65KQ

13419) -0.5106) $TSLA angry today  https://t.co/LqPZJXfq3G

13420) -0.2755) Imagine shorting because you don't like someone only to get btfo $TSLA  https://t.co/Qxx1eQE8qt

13421) -0.2942) Forget $420, $TSLA almost at $520!   Currently up over 8% today, one of the six largest daily gains in the past five years. 🤯🔥🚀

13422) -0.5574) Did I mention I’ve bought a shit load of $TSLA since 2014?

13423) -0.0516) BREAKING: $TSLA @Tesla has long surpassed irrational exuberance levels now trading above $500 a share we discuss at 1230 edt on @FoxBusiness @TeamCavuto

13424) -0.6642) $TSLA ripped through 500 someone check on the bears ... Went for a ride w/@dennishegstad in his yest, just like @gwestr he has to flex the 0-60 for me. Always so sick. Back in my day you had to mod the hell out of your Integra or Civic and hope for sub 6 seconds. Now unnecessary.

13425) -0.5994) I fear that Aaron’s manefesto wasn’t taken seriously   $TSLA  https://t.co/MIrmOydpAu

13426) -0.6808) Ugly compact car: $50,000 FSD vaporware: $6,000 Faulty moisture seals: $2,500 Peeling paint: $7,500 Tow truck: $1,500 Fender bender repair: $18,000 Rental car: $3,000  Fart noises from iPad glued to dashboard: Priceless  $TSLA

13427) -0.7338) i hear so many experts crying b/c the markets or stocks like $TSLA keep going up &amp; they expected it to tank b/c they have Twitter Degrees in economics &amp; accounting.   Remember that the markets can remain irrational longer than u can stay solvent. Markets don't care what u think!

13428) -0.3818) Craziness. $TSLA  https://t.co/CbMBtm3aW1

13429) -0.4215) Looking back at my tweet posted on 12/16/19, I did give TSLAQ enough warning time to get out when $TSLA was 375. The burn is hard to face right now. To be or not to be is a question?

13430) -0.4019) $TSLA short int is $12.79bn ;26.74mm shs shorted; 19.99% of float;0.30% borrow fee. Shs shorted down -752k shs, -2.7%, over last 30 days as price rose +33% &amp; up +818k shs,+3.2%, last week. #Tesla Shorts down -$2.28bn in January mark-to-market losses; -$734mm on today's +5.7% move  https://t.co/1YkQJGbQCh

13431) -0.8268) 2020-2030 will be an extremely difficult decade for Legacy Auto.  It'll be impossible to compete with $TSLA's pace of innovation, choked out by conservatism and lethargic organizational structures.  And dealerships are incentivized _not_ to sell EVs for fear of unneeded servicing  https://t.co/IGkTtrlKYo

13432) -0.8138) the Somani complaint makes it 13/13 full service records. For Ms. Somani alone, there's at least $4k of warranty costs shoved in to goodwill in under a year.  $TSLA is house of fraud, &amp; will never generate the positive CF from phony incrementals folks like Oppenheimer lap up

13433) -0.6242) another week, another 3 lemon lawsuits:  1) Yousefi v. $TSLA, a worthless S recently leased  2) Chan v. Tesla, standard gamut of terrible quality  3) Somani v. Tesla lists 22 defects, may be easier to list what wasn't defective  https://t.co/RT0TP8S6Du

13434) -0.9136) Holy hell is $TSLA warranty fraud pervasive, inflating both auto GM &amp; current period net income bigly.   For Ms. Somani, Tesla declared both a functional A/C &amp; a functional MCU (which controls most car functions) as not covered by Tesla warranty, among many other frauds.  https://t.co/61Yk0khGCV

13435) -0.0516) “unhinged” explained: $TSLA "risk tolerance, ability to implement learnings from past errors, and larger ambition than peers are beginning to pose an existential threat to transportation companies that are unable or unwilling to innovate at a faster pace”  https://t.co/MJ9yZ1bRnw

13436) -0.9201) $TSLA TSLA 502.08+23.93 (+5.00%) As of 9:33AM EST. @elonmusk My prediction  that $Tsla will be sub $100 by 2022 Deathtraps run by fraudulent criminal lying CEO n a complicit board 2serve a broken EV green agenda is just the tip of the iceberg on this debacle of a company #DoneAF

13437) -0.7769) And there’s some more $tsla losses for Spiegel He had just cut his short position to 5% a few hours earlier and then he traded it back just in time to lose more $  https://t.co/EL4rsa6rYD

13438) -0.6654) And there it is! $500 $tsla $tslaQ  There was something about a fraud or something?? Can’t remember  https://t.co/f1zbnDBcZA

13439) -0.0836) Lol, Oppenheimer hiked their $TSLA 2020E non-GAAP EPS estimate from $4.38 to...$4.44! They of course CUT their 2021E estimate 5%.

13440) -0.8442) TV Moron Jim Cramer says Tesla's B/S is no longer an issue because 2021 estimates are $10/sh.  So 10.2B in current liabilities is no big deal for a company poised to lose ~700M in 2019?  #soldtoyou $TSLA $TSLAQ

13441) -0.0516) “We believe the company’s risk tolerance, ability to implement learnings from past errors, and larger ambition than peers are beginning to pose an existential threat to transportation co’s that are unable or unwilling to innovate at a faster pace”  https://t.co/8jMz2GVGYd $TSLA

13442) -0.2732) $612? Too low. $666 then $777 $tsla

13443) -0.5719) Repeat after me: $tsla didn’t generate cash flow in Q3 2019.  If they do so in Q4 it will be marginally so on inventory liquidation with a sprinkle of options exercise given equity rally.  2019 is CF negative with material underinvestment in service centers et al.

13444) -0.879) No they didn’t. ... but if they did, the questions would be:  “why did we read this?”  “Oh.... he really thinks he invented Facebook?”  “Ouch... my brain”  “This would be better if it was a coloring book”   “How will I ever replace that time? It was 100 pages 😭 “  “ 😱 “  $TSLA  https://t.co/zlUewjndei

13445) -0.296) BREAKING: $TSLA up 2% in pre-market trading on news about BEV sales in China collapsing, while co sees revenue and unit sales declines in US and likely in Europe too.  $TSLAQ

13446) -0.4404) $TSLA near-term price target raised to $550.01 by some Fool.

13447) -0.128) @PlainSite @TESLAcharts None.  After the final collapse, they will be along to help with the autopsy, and of course, point out how obvious it was.  $TSLA $TSLAQ

13448) -0.4466) Everyone STOP ASKING.  It will come out at the same time as @Tesla releases FSD  That means it will be released soon according to @elonmusk  $TSLA

13449) -0.1759) What do you do when the frunk is full of shellfish and won't open? You use an axe! $TSLA $TSLAQ   https://t.co/gbmhRvG7LB

13450) -0.4019) If one wants to understand Fords problems, one only needs to listen to It’s CTO interview last year on autonomous driving. Add to that an ex-head of a furniture Company as it’s CEO, Ford is not equipped to face the computer technology future of mobility. $tsla

13451) -0.6486) China auto market is single handedly determining the future of so called “big auto”. Tesla China GF shall have devastating effect for ICE in 2020. $tsla

13452) -0.1027) How much did the Non-Tesla EV pay when it tried supercharging? #badpundog #EV #Tesla $TSLA  https://t.co/6dob9jW5j5

13453) -0.5499) $TSLA  "But over time, its image was tarnished by missed deadlines, crash reports, signs of a cult-like corporate culture and a chief executive, Elon Musk, who habitually exaggerates progress while announcing extravagant new ideas."   https://t.co/GEyVUeFlvd

13454) -0.7177) Yes I do have photographic documentation, inspections of damages &amp; Tesla performing work + many months of emails w Tesla.  I never said I didn’t. I said nothing has been ‘photoshopped’ or altered to fraudulently ‘make up’ this horrendous 332 Day nightmare! $TSLA $TSLAQ #Tesla

13455) -0.3412)  https://t.co/zusFMSk2K7 - Deep-dive into all 15 stocks I sold in 2019 to buy more $TSLA and comparisons of whether or not I'm better off. #tesla #stockinvesting  https://t.co/gsGirELFHx

13456) -0.2755) Even the bulls aren't ready for 2020...  $TSLA #NotSellingAShareBefore5000

13457) -0.6705) One of the weirdest Tesla issues so far: "When I turn on the heating in the rear window, the radio (DAB) stops working. When I turn the heating off, the radio works again." EMI/EMC troubles? Or maybe just a bug. $TSLA $TSLAQ  https://t.co/jLUfZLBQQY

13458) -0.1531) #BREAKING Tesla's secret collaboration with Gwyneth Paltrow finally solves Model 3 AC smell problem $TSLA  https://t.co/I1Nx9QoPRb

13459) -0.5994) $TSLA Monthly, for LOGers and non LOGers..😉 Place your bets🎲  https://t.co/0c3MVxUBqU

13460) -0.8395) "There is no clear message that Tesla — and particularly the Tesla Model 3 — hurt Audi sales. Audi sales continued to rise through the years."  When phantasy meets reality...  $TSLA $TSLAQ Audi USA Sales In 2014–2019 — Hurt Significantly By Tesla Or Not?  https://t.co/S0fhf0ovDN  https://t.co/DM4Rv0wGFc

13461) -0.3818) CEO Herbert Diess complains loudly about @VW needing to produce 30-40% EVs by 2030 to meet new EU CO2 standards  And @VW is supposedly the EV "leader" among legacy auto companies  #EVs $TSLA #tesla

13462) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 265 (42.8%) Days left: 354 (57.2%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

13463) -0.4395) No more free parking in Oslo for EVs. Incentives are tapering off in Norway. $TSLA $TSLAQ   https://t.co/e7klLKw1BS

13464) -0.7064) By the way: Tesla (No 20) with 2019 +0.3% yoy US sales growth, despite H1/2018 M3 production hell effect. Looks almost like a legacy. Doesn't it? 😍  Disruptive!  $TSLA $TSLAQ US car sales analysis 2019 - brands  https://t.co/TX8x8fOMWP via @carsalesbase  https://t.co/0xfyx2l44P

13465) -0.2742) remember that new kid in school who seemed so cool and so exotic but then turned out to be a jerk once you got to know him?  $TSLA

13466) -0.5574) I'm just gonna throw this out there: $TSLA's Q1 is going to be an absolute shit show. Can't believe there's buying at these levels.   $TSLAQ

13467) -0.7096) 🚨🚨Ministry of Transp. Limits Tesla EV Imports to Israel | The Jewish Press | « Driving using a car’s autopilots are currently illegal in Israel, and Israel is concerned by some of the Tesla autopilot accidents that occurred in the US » $TSLA $TSLAQ  https://t.co/NQQF6CLRg1

13468) -0.3182) Short-Sellers Took on Tesla and Elon Musk in 2019—and Lost Their Shirts $tsla    https://t.co/umyi5AE1rr

13469) -0.9661) Mobileye fired $TSLA in 2016 because Elon’s reckless marketing of Autopilot was killing people and endangering the entire autonomous driving industry. Elon lied about why the relationship with Mobileye ended and started selling FSD vaporware. This is criminal fraud. $TSLAQ  https://t.co/4EuWLmyAN9

13470) -0.4404) #ExplainBABYCharts #FraudWatch day 346  #BABYcharts is STILL going on about there being no HW3 retrofits even though @TeslaJoy shared her’s recently. Poor #DumDum   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/q63zT7TPVq

13471) -0.4445) They know if you're driving your #Tesla, that there is probably a problem with it. Keep it in your garage if you don't want issues to spring up.   #TeamElon $TSLA  https://t.co/K4wHAyzFXE

13472) -0.802) Who wants to tell him?  Poor fella, he still thinks this car won't be totaled by his car insurance company.  Either $TSLA drivers are the absolute worst drivers on the face of the planet *or* maybe #SmartSummon #Autopilot &amp; #FullSelfDriving should be recalled. @NHTSAgov @USDOT  https://t.co/SMjs5tl1OZ

13473) -0.5267) If you short $TSLA you’re just stupid

13474) -0.296) 'Shark Tank' Judge Dismisses Doubts About Tesla ( $TSLA ) and Its Upcoming 'Competition' from Legacy Auto   https://t.co/NLdfSzSpMZ

13475) -0.2732) At this point, with #Tesla I don't think its a "bug" that the video from an accident is deleted. It just has happened too many times. Here's another one.  Bonus points though for bending that frame though. It must have been one heck of a collision.   $TSLA  https://t.co/Oh4LW2t6mP

13476) -0.5187) $TSLA  "Tesla (NASDAQ:TSLA) had a record year in 2019. No, I’m not talking about sales or profits, but deaths. Yes, because according to public database  https://t.co/teFwqagJVW, 50 people died in road accidents involving Tesla vehicles last year."   https://t.co/wXKJDxAiU7

13477) -0.0516) @montana_skeptic @BSA19741 1) I work in the roofing industry: a couple thoughts from the pictures: tesla's roof tiles leak like a sieve the design is poor at best. $tsla knows that they leak which is why they are using a very expensive underlayment that doubles as a base layer....

13478) -0.743) Finally, someone at $TSLA has figured it out. You just pay for the energy coming out of the wall. They should have done this from day one and avoided all of the customer confusion, nasty letters, and letters of apology.  https://t.co/whOJLR1Mod

13479) -0.6808) @TomasHearty There’s no $tsla executives left, no one new has come in in years.  There’s no names available for turnover.

13480) -0.7783) Always a darn shame when the San Fran Newspapers write negative stories about @Tesla....  #Tesla $TSLA #TeslaDeliveryIssues #TeslaServiceIssues   https://t.co/igyxsHq5SF

13481) -0.5994) Well, if you had any doubts, you can stop worrying about how the @Tesla Model 3 is selling in the U.S. vs. competing midsize luxury sedans.  It's just complete domination. @elonmusk $TSLA $TSLAQ  https://t.co/Mb8Xj4oPHT

13482) -0.9335) Steal cigarettes: get shot by police  Embezzlement: spend little time in resort prison.  Commit billion dollar fraud: pay a fine and are allowed to keep frauding.  The more you steal, the less punishment you receive.  Only in America and China. @SEC_Enforcement $TSLA

13483) -0.0772) #VW #ID3 sit unplugged, exposed during winter. Awaiting for a software fix, estimated 6 months away, so they can be sold. 😳 #Tesla $TSLA  https://t.co/WBZXXU0m8I

13484) -0.8515) @fly4dat @abledoc @ReflexFunds Tesla Shortsellers: "Every $TSLA 10-K was a loss; no annual profits ever!"  Also Tesla Shortsellers: "Every $TSLA 10-K was full of lies; don't believe them!"

13485) -0.1045) More chances of this being true then a @Tesla Killer arriving in the next few years.  $TSLA @elonmusk  https://t.co/E0JGqdNBAj

13486) -0.1531) 1/Musk bet the entire health of the Tesla company on succeeding in China and no one seems to be concerned. The stock is going up to record highs. Two things strike me as beyond the normal high risk venture here. One, the reason Tesla's stock  $TSLA $TSLAQ

13487) -0.367) Literally no one working at @Tesla cares. It's the culture @elonmusk created. 'Deliver now, solve later (or never)'. Examples enough of people got whacked just because they wanted to escalate problems. $TSLA doesn't care and employees gave up living from pay check to pay check.

13488) -0.5267) 7) The CCP is starting to get nervous about whether it will get a return on its investment in $TSLA. State-owned banks extended $1.6bn in loans at low rates; suppliers have boosted capacity, etc. They'll all need diapers once they see GF3's losses, which should be -$740m in 2020.

13489) -0.2263) 6) What the CCP is seeing is very simple: $TSLA signed an agreement to churn out 12K cars/month. But M3's sales are only 3K/month. Only 1 thing you can do for Chinese workers &amp; local suppliers: Lower the px to create 12K/month in demand. $36K is the 1st try of many more to come.

13490) -0.1027) @LarrySabin1 @CoverDrive12 The most plausible theory is $TSLA had a trucking bill to pay while out of cash. They settled it  by buying the whole company in stock.

13491) -0.3887) Whoa, that's a big ask of #Tesla. You might be demanding too much. Especially because you didn't start with "Love the car but...."  #TeamElon $TSLA #TeslaServiceIssues

13492) -0.34) @PlainSite @PwCUS We're all crackpots to them until it's too late.  Unfortunately, the level of expertise chirping....  Let's just say, already knows auditors are for show.  $tsla

13493) -0.5574) @JonErlichman Valuations in 2030:  Tesla:          $1 trillion Ford &amp; GM: Bankrupt or Bailed Out  @Tesla $TSLA

13494) -0.5972) $TSLA - Cathie Wood sells another 30,000 plus shares of Tesla!  She isn’t going to be holding the bag when this fraud breaks!   $TSLAQ

13495) -0.4215) Can't wait to take a walk down memory lane &amp; learn some new things thanks to @PlainSite.  Noticed I make an appearance for the #TeslaExecutiveDeparturesList, Adam Jonas's &amp; 2ndary offering leaked calls, &amp; the threatening faxes I received in late 2018. Wild times.  $TSLA $TSLAQ

13496) -0.2023) Pier 80 Today®...Morning Catherine is making tracks for KR with way &lt;1500 cars. Cars are coming in SLOWLY; there are &lt;1K on the pier. Morning Conductor is supposedly next; sources disagree but she won't get here for at least 5 days and maybe not for as many as 8. $tslaQ $TSLA  https://t.co/xWx9vEvXv2

13497) -0.8053) @plaidCPA @TESLAcharts I wasn't saying this crappy, fraudy roof product would cause $tsla's demise. Only that it's designed at this point for one purpose only: to fend off the allegations in the Delaware lawsuit. If you don't believe me, ask @Paul91701736 whether he doesn't agree.

13498) -0.1761) Thanks, @BSA19741, for compiling the data on $tsla's solar roof tiles. Now much larger, available only in black, costing an immense amount to install, suitable only for simple roof planes, &amp; looking remarkably ugly.  https://t.co/Q97lbese5g

13499) -0.3818) The Storey County Sheriff's Office sent an empty envelope in response to a $TSLA records request for which it charged almost $300 and then forgot to send the files until pressed a week after cashing the check.  Don't put a USB key in a #10 envelope and expect it to work.  https://t.co/jPgG6adMlz

13500) -0.6249) "The main reasons consumers don't switch to battery-electric vehicles are due to long recharging time, range anxiety, and cost.  Hydrogen fuel-cell vehicles can refuel in 5 minutes and give consumers a longer range."  $TSLA $TSLAQ Tesla's biggest threat  https://t.co/Zew46LkbX4

13501) -0.4215) @stockgutter In its Delaware SCTY lawsuit, $tsla will point to the Q4 uptick in solar panel sales from pushing out this garbage, along with the perhaps several dozen (hugely unprofitable) solar roof tile installs it has made or has underway. Once the lawsuit is over, farewell to all that.

13502) -0.7096) This was the only comment so far to a negative article about $TSLA Autopilot in something called ' https://t.co/ifBRlZ2B30'. There is no slight too small or outlet too obscure for Elon's bot army. When this is over, I can't wait to read about his social media influencing budget.  https://t.co/eiwj8xJUdT

13503) -0.34) Can the market stay irrational long enough for Musk to remain liquid? $TSLA

13504) -0.2263) Tesla Letter to Semi Truck Customers States Limited Production Starting 2nd-Half of 2020 🚛🔋🔌  https://t.co/AQlIRusZia $TSLA #TeslaSemi #EV @elonmusk  https://t.co/1maM6sWwso

13505) -0.5423) The evidence keeps stacking up against Tesla.  As the National Highway Traffic Safety Administration investigates crash after crash involving Tesla vehicles under the influence (or suspected influence) of Autopilot, when is enough too much?   $TSLA   https://t.co/sTxy3sWOU5

13506) -0.8156) @TESLAcharts if you were short $TSLA at the beginning of 2019 and held it until the end, you lost what, ~15%?  down 15% on one position is the new "losing your shirt"?  what will owning ARKK in the next bear be?  losing your whole wardrobe?

13507) -0.6239) TSLAQ: $TSLA will go to $0, it’s a fraud!   (Fxxk ... gotta close some short positions)

13508) -0.8271) The Crazy Eddie fraudsters would’ve taken the high road by ignoring their critics while screwing their bagholders. Fraud is best served with a smile. $TSLAQ $TSLA

13509) -0.4404) At least a dozen people have told me in the last week alone that they just got some cash and are waiting for $TSLA to dip to get in, and I'm like, if you're #NotSellingAShareBefore5000, why wait for a few percent drop while risking a 10x return that you believe is on the horizon?

13510) -0.7906) $TSLA  "NHTSA has racked up 14 investigations into Tesla vehicles that collided with other vehicles, including 3 over the past month. Through a combination of Tesla’s seemingly flawed Autopilot system and driver inattention, the death count keeps rising."   https://t.co/raRP9g3TbW

13511) -0.4767) $TSLA done for now, its a shame it didnt crack yesterday's lod. maybe still will do. was positioned heavier than usual  https://t.co/856663LHcx

13512) -0.296) $TSLA lower for the second session -- .@NewYorkFed need more liquidity in this money-losing company

13513) -0.3182) While Legacy Auto continues constructing intricate complexities, @elonmusk &amp; $TSLA are exploiting simplicities.  https://t.co/hxg6qaMHez

13514) -0.1522) This is very confusing. This California company is Tesla, but is not $TSLA.  https://t.co/wTIAotY7uS

13515) -0.1027) Tesla's Fleet Pooling Deal with Fiat Could Pay for GF4 Construction, says Baird  $TSLA #Tesla #GF4    https://t.co/woUdRnUZ9f

13516) -0.4767) wrong. the correct answer: $TSLA and #IOTA 🦾🤖⚡️🚀

13517) -0.7579) Tradition is just peer pressure from dead people. $TSLA

13518) -0.4168) An epic, detailed teardown of $TSLA &amp; #ElonMusk by @AaronGreenspan of @PlainSite. Can't do justice to this report by quoting parts of it. You need to read the whole report. $TSLAQ  https://t.co/5GNK5r8HoS  https://t.co/wn88qTJr2o

13519) -0.4767) Even though this is 4 years ago, he could post it today and it would still be wrong 2 years from now. $tsla

13520) -0.2023) @AlexAskew1 @SEC_Enforcement It refers to the full year. The word "quarter" does not appear. The word "year" does. If $TSLA achieved GAAP profitability for one day, it would be as meaningless as achieving it for one quarter.

13521) -0.3741) $TSLA's full-year 2019 results are not out yet. We lack Q4 financials, &amp; so await the 10-K. Through Q3, Tesla racked up a $967 million GAAP loss. But its "Truck Team" just promised Q4 would erase that, and more. 100% materially misleading. Are you awake, @SEC_Enforcement?  https://t.co/AuonmWfMs6

13522) -0.2263) @cazin678 @JCOviedo6 More so than any auto ever, an old $TSLA will be a disposable item.  Then someone has to figure out how to handle the hazardous waste.  Yes, this much cobalt is must be handled under a hazmat manifest, particularly in CA.  They are two-ton liability piles.

13523) -0.34) Crazy Eddie inflated comparable store sales by reporting bulk sales to non-end users (distributors and other retailers) that originated from its main offices as sales to end-user consumers at the retail store level. $TSLA $TSLAQ

13524) -0.3802) $TSLA - Elon voided his warranty with Panasonic by dumping solar panels to a third-party vendor.  Beware Solar panel customers.   You are about to be majorly Musked!

13525) -0.7188) Have you noticed on @CNBCFastMoney - @timseymour and some other analysts will be like.   "Let me say this again, we've been wrong since $tsla was at 240. Yes, we accept...blah blah.."  And then "go negative $tsla again.  Why is no one challenging them?? @MelissaLeeCNBC

13526) -0.0516) This is the intent of the fines. Fiat Chrysler WILL contribute to lowering emissions - one way or another.   Funding another #Tesla factory is fine with me. $TSLA $TSLAQ   https://t.co/UUkUZpNyoF

13527) -0.8425) People often confuse the FUD they read on $TSLAQ with the real risks that $TSLA faced, so they are inevitably surprised when the FUD proves wrong time after time but the stock doesn't jump, or vice versa, the stock jumps when nothing apparent has changed. Don't make this mistake.

13528) -0.3802) This is for those criticising @tesla for accepting FCA's "dirty money" in the EU emissions pool. The end result will be cleaner cars, much faster than FCA could adapt! $TSLA   https://t.co/CMySFi8KKX

13529) -0.2732) $TSLA  "Panasonic has warned US solar installers about Tesla selling a “large quantity” of its solar panels designated to the company to an unidentified third-party wholesaler that would not be covered by Panasonic product warranties. "   https://t.co/H8KVp9MK58

13530) -0.34) 3) GF3 started delivery of MIC Model 3s from this week. The ~$700m worth of capex, assets, &amp; liabilities have yet to show up on $TSLA's balance sheet. They will from Q1. Model Y should also be launched in Q1. So 1st ever new model + new model launch ever. Record negative FCF?

13531) -0.5423) 2) Fun fact: Every new model launch at $TSLA has been followed by at least 4 Qs of cumulative negative FCF:   A) Model S = -$139m B) Model X = -$876m C) Model 3 = -$1,189m  It could be worse in 2020, as $TSLA has both a new model launch + a new factory launch from Q1.  https://t.co/uaOf3GFSpa

13532) -0.5483) Tesla valuation spike is not only reflection of $tsla success but also the utter failure of incumbent ICE companies.Statements of Honda and BMW CEOs r more the reasons to further invest in Tesla.

13533) -0.1546) @TslaCybertruck I feel fine until the day he advises his girlfriend’s mom to buy $TSLA. Once he does that, I’m out and will go $TSLAQ.  There’s just no better contrarian indicator than him.

13534) -0.1027) $TSLA be cautious with higher avg long at these levels. The rate at which this bull rally occured was incredible and when the momentum snaps the unwind will be just as incredible. This story happens time and again, early shorts get smoked and so will late longs. Dont get caught.

13535) -0.4389) Has the new wiring architecture been already introduced to MIC M3s? I would think so as its a new factory!  It could drastically decrease labor costs of producing Tesla vehicles and help achieve lower prices and higher gross margins. $tsla @thirdrowtesla  https://t.co/MQsDxJFqL7

13536) -0.7269) Some light gets shed on the part-time fraud of The Boring Co. $tsla   https://t.co/frwQeSilCP

13537) -0.1779) What a pathetic legion of money-losers, led by our favorite ramping fairy tale, $TSLA:  The percentage of listed companies in the red is close to 40%, its highest level since the late 1990s outside of postrecession periods.  https://t.co/9JYmkPoqXJ via @WSJ

13538) -0.5207) 4/ C'mon, Dan. You don't need to actively mislead your readers to carry forward your shameless shilling for your Elon Musk &amp; $tsla.

13539) -0.4019) 2/ I was a bit exercised about Neil's column a few weeks back that contained materially misleading $tsla prices, and wrote a thread about it:   https://t.co/gASZgxQNjp

13540) -0.34) So in other words he covered half his position at all time high yesterday 😬  $TSLA

13541) -0.1027) Curious who is financing such colossal financial speculation and enduring losses. $tsla

13542) -0.4215) Pier 80 Today®...Christina still here, but when I was on site around 1 PM not much happening, mostly cars being shuffled into new grids, probably for the next ship. No real build in car pop. Arrival rate was 4 carriers/hour...but only one hour, so just a snapshot. $tslaQ $TSLA  https://t.co/u86I60rEWu

13543) -0.4576) Tesla just got two downgrades -- could there be more trouble ahead? $TSLA  https://t.co/74bWCS45yx

13544) -0.34) It's been a crazy few months for $TSLA, doubling in 90 days and +175% in seven months. Here are the ten reasons I see behind this rise, and a couple more factors that I DON'T think are driving the stock. Let me know your thoughts. @tesla @elonmusk #Tesla   https://t.co/cm2jfg7tHo  https://t.co/AgKSsbDZij

13545) -0.6884) Monster news of what appears to be fraud at Tesla!!! $TSLA $TSLAQ

13546) -0.4939) Area gym teacher with a BS in economics claiming to be an economist, mathematician and quantitative finance pro says $TSLA is a steal. $TSLAQ  https://t.co/V6ZDALfsAa

13547) -0.8807) @Tweetermeyer on TC's Chartcast on why regulators haven't acted against $TSLA: "precarity of the company."  $TSLA tells NHTSA that if they recall AP it kills the company. No regulator wants that blood on its hands.  TC: "He goes into every negotiation wearing a suicide vest."

13548) -0.3818) $TSLA at lowest levels since yesterday morning

13549) -0.4404) $TSLA decent setup, not really what i was looking for on this ticker. all out for now will revisit if stays weak  https://t.co/9fBp5tym4f

13550) -0.5859) This data illustrates that the short burn of the century hasn't even started yet. 🤘🔥🔥 $TSLAQ  $TSLA

13551) -0.128) This is how industry leading gross margins are achieved, just need to add a pinch of accounting creativity. $tsla

13552) -0.5514) 4/ Market tops occur when all the buying has been exhausted, and there is no one left to buy. In the case of $TSLA, we wondered, what if all the selling has been done? What will drive Tesla’s share price lower? When a stock fails to fall on bearish news that's bullish.

13553) -0.7184) Until @tesla turns over crash data to state &amp; government agencies, ALL crashes should be treated as #Autopilot failure &amp; reported to insurance companies as such. @TheJusticeDept @USDOT @NHTSAgov the butden of proof is on $TSLA &amp; @elonmusk. #ForcedAccountability

13554) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 262 (42.3%) Days left: 357 (57.7%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

13555) -0.4019) It’s unbelievable how bad he at trading. $tsla $tslaq  https://t.co/SO3iSmXDvJ

13556) -0.3324) #ICErecall  "shoot metal projectiles throughout the vehicle"  Can you imagine the FUD storm if this happened to @Tesla? $TSLAQ bears would demand @elonmusk's head!  Where are they now? Do the short-sellers actually care about safety or do they just want $TSLA to drop at any cost?

13557) -0.3869) Most recent $TSLA short interest. I was targeting $500 for next week, but with this crazy move, we already got *almost* there yesterday. Let's see if there is any resistance at $500. #Momentum

13558) -0.0697) Me rn: buying more $TSLA seems stupid because how on earth can it maintain exponential growth?  Also me: I want more shares.   Also me: at 11am, I have to take my car to be fixed from the accident. I’ll decide if I buy more based on how well customer service goes.

13559) -0.4019) $TSLA short int is $13.69bn ; 27.82mm shs shorted; 20.79% of float; 0.30% borrow fee. Shs shorted up +464k shs, +1.7%, over last 30 days as price rose +45% &amp; up +132k shs,+0.5%, last week. Shorts down -$2.02bn in January mark-to-market losses after being down -$632mm yesterday.  https://t.co/t8A9nIq4bw

13560) -0.2714) Just Fyi - I'm not playing the $500 game today. I'm going to lead my normal life. You all have lost it.  $tsla.  https://t.co/nDzNHdIlGy

13561) -0.144) Anyone investing in $tsla should understand that he/she is not investing in an auto company.  He/she is investing in a genuinely high tech company disrupting mobility, energy and robotics A.I industries. Labelling Tesla as an automotive company wld be quite short sighted mistake

13562) -0.2996) NOT true. $tsla was $435 &amp; I said Don’t chase it that day. It then hit a low of $402 a few days later and gave u a RDR new entry long at $409.25.   Now it’s $490 and VERY extended- it might do one more push but 8day down at $450.  So I think it’s NOT the time here. Maybe $465ish

13563) -0.8885) “Dear @elonmusk, you've burned shorty's pocket book, but guess what? Shorty's still here. We might now be broke, but we're also pissed, and we ain't going away.” $TSLA(s)  https://t.co/Q3xGJ0LMQI

13564) -0.4404) @antiprosynth As we saw with $TSLA, shitty media reporting can only hold assets back for so long.

13565) -0.5719) Sales of Electric Vehicles is declining in Norway. Lack of charging infrastructure get the blame.  $TSLA $TSLAQ   https://t.co/jsTsb7CMpH

13566) -0.1965) Target $TSLA: Episode 22 (Q1 Kickoff Grand Tour) The fuse is lit, but it's not at all clear what's at the end of it. Trying to finding out is why we're here...let's start with the rail and ship terminals at the first of the month. At Pier 80, only a few stragglers. $tslaQ  https://t.co/9LHtL5T7k5

13567) -0.1926) Yeah, I know this is the second teaser, I'm damn late...but how could I have competed with Grimes' ninnies and Krugman's...Krugman? And think of our friends in the EU, just crawling out of bed and in need of some fraudutainment? FIVE MINUTES. $tslaQ $TSLA  https://t.co/F7uxSob2m4

13568) -0.7788) I’m a Tesla bull. But don’t let that fool you into thinking I’m one unconditionally. I am a bull because I see strength in their fundamentals.  I’ll sell $TSLA when / if: 1. Elon steps down (whatever the reason) 2. Fundamentals change for the worse with no hope of an upswing.

13569) -0.5859) 🐻: #Tesla 🇨🇳 is a stock pump   (Tesla builds factory, sets quarterly records, starts selling cars from 🇨🇳, stock price goes up)  🐻: $TSLA is up due to fraud.

13570) -0.2263) 🚨 Everyone: in case you forgot - this 👏🏼 time 👏🏼 is 👏🏼different 👏🏼. Don’t you forget it. $TSLA $TSLAQ 🚨

13571) -0.4927) $tsla's GC abruptly quit on Dec 6th.  He knows what's up.  No replacement has been announced.  That's fuckin weird. $tslaq

13572) -0.4019) Me: "I'm looking at the $330s." Wife: "I thought you were done with crash puts."  $TSLA

13573) -0.4019) Bob Lutz admitted being wrong about Tesla $TSLA    https://t.co/yPtGsHT7D8

13574) -0.4767) I’m beginning to sense a pattern...  “The crash is the 14th involving Tesla that NHTSA’s special crash investigation program has taken up in which it suspects the company’s so-called Autopilot or other advanced driver assistance system was in use.”  $TSLA   https://t.co/WYdzjlZ9TS

13575) -0.3254) How Elon Musk Gambled Tesla to Save SolarCity $TSLA is up 132% since this.. Think that thru and I have NO DOG in the fight and think the absolute world of ⁦@bethanymac12⁩   https://t.co/W3gpd0tOpq

13576) -0.8225) Unintended Consequences when Irresponsible Journalists "Glorify" those that Invest in Frauds. You generate a  "Crime Pays Mentality" which will one day destroy many.  This is $TSLA since @bethanymac12 wrote her piece. I am surprised Nocerror hasnt bragged about $TSLA as a long  https://t.co/nkdoNysWBo

13577) -0.3818) Jim Cramer Goes Full-on Tesla Bull, Says He's 'Dumbfounded' $TSLA Tesla Stock Isn't Higher   https://t.co/3LgXu0xZAv

13578) -0.5267) $TSLA getting just plain stupid.  https://t.co/IlTfyTooqE

13579) -0.7351) $tsla stock right now 🤯🤯🤯🔥🔥🔥  https://t.co/5Bh2MDdOtC

13580) -0.4973) 🎶One of these things is not like the others One of these things just doesn't belong Can you tell which thing is not like the others By the time I finish my song?🎶  $TSLA  https://t.co/Cu4KVTu6a9

13581) -0.5209) If this rally carries Tesla to $554.80, which is the number Musk needs for his compensation package, then I don't know how a reasonable person could suggest that such a price move was nothing more than pure manipulation. Tesla has no earnings. $TSLA $TSLAQ

13582) -0.296) @PlainSite The assertion has missed the forest for the trees.  Never seen a hyper growth disruptor comp down ebitda and sales y/y &amp; have negative growth in all existing geographies y/y for ~ all products.  Alas, $tsla is truly disruptive.

13583) -0.296) $TSLA:  1. retail ownership +6% in 2 days (RH) 2. biggest midday (not 1st/last hour) 30-min volume since 9/26/19 (Musk production email), on no news 3. multiple victory laps from noted clowns 4. stock up+93% since Q3 eps; +48% last month 5. rev ests +23% for '20 vs +14% in '19

13584) -0.4019) The timing of the $TSLA Shanghai rollout is, contrary to the Street narrative, farcical because, as far as dumpy factories go, Fremont had just recently achieved a relatively high utilization %.  Now it will revert to limp mode.

13585) -0.2732) Feedback on our $TSLA report so far includes the assertion that we have missed the forest for the trees, where the forest is a "hyper growth disruption story." To which the only response is the graph below.  https://t.co/z7vALWIyKK

13586) -0.5859) $TSLA broke a record today for call volume if that isn’t the definition of a blow off top, I don’t know what is? Doesn’t mean you short it, you watch it if shows weakness via an outside day later this week or next then u get short.  Tesla

13587) -0.4939) Taking Tesla private at $420/share would have been the steal of the century. $TSLA

13588) -0.6249) "Tesla has achieved a volume break through, with the plant in China opening and selling a lot of Model 3s,” said Lutz today 🔥  ‼️Bob Lutz admitted being wrong about Tesla‼️  @Tesla @elonmusk 📈👏🏻🕺🏻 $TSLA #Tesla   https://t.co/kCQRYEbx4b

13589) -0.1531) a lot of retail robinhood have missed on this $tsla melt-up but now they are coming back - for the 500 to 1000 part?  https://t.co/Z5MJ2PDLcD

13590) -0.2732) Dear FinTwit, how much negative gamma is $TSLA having right now?

13591) -0.8555) #PISTA says: Seriously? We're on the brink of war last night. Now /CL is getting destroyed, /GC is getting hammered, /ZB is down, and /VX is flirting with going under 14.   And oh, $TSLA goes up 25$ a day. At this pace, it should hit 1,000$ by summer.  *rant over*  @tastytrade

13592) -0.2942) @arstechnica That was sarcasm right?  @Tesla at 2B miles and counting!   $TSLA

13593) -0.4215) Case study, short squeeze: $TSLA  -bears (some paid to build bearish case) establish short positions.  -bulls use weakness to build sizable positions (over yrs)  -once squeeze starts, bulls add, forcing shorts to buy back higher  End result;  $TSLA @ $497 (on its way to $600-700)

13594) -0.4767) Told ya. $TSLAQ is still lurking around.  The battle hasn't even begun, yet.  $TSLA #NotSellingAShareBefore5000  https://t.co/6G2azeAiLN

13595) -0.4767) What a shame $tslaq couldn’t see what was completely obvious.  $tsla

13596) -0.2732) Tesla critic Bob Lutz flips stance on Elon Musk as $TSLA stock surges toward $500  https://t.co/wtvvBPmFoM

13597) -0.3182) If your first entry ever on $tsla is 500 , chances are you doing this all wrong .

13598) -0.93) So...  $TSLA is about to become a $90 billion company...  🔥🔥🔥🔥🔥🔥🔥  https://t.co/cmJ24QAjQb

13599) -0.4696) What is happening?   @elonmusk have you hacked the simulation?   $tsla

13600) -0.7579) Please $tsla stop going higher. I can't focus on work. I have freaking deliverables. Wtf. @elonmusk #chinesemoney #shortscovering .....someone....  https://t.co/dI4NwGrg20

13601) -0.296) #Tesla reaches marketcap on par with Volkswagengroup.  Are you freaking kidding me? $TSLA $TSLAQ  https://t.co/k9LHyRQusS

13602) -0.802) Arbitrarily buying and selling short term options is gambling. If you’ve ever played poker against a guy who can’t stop bitching about his impeccable hindsight, that’s what $tslaq is. Bunch of losing, whiny, negative gamblers. $tsla  https://t.co/qhksjeZKOP

13603) -0.5307) Wow...completely unreal that Mark Spiegel is using mega-fraudster Dennis Clark as some kind of authority on Porsche &amp; Tesla!  Does Mark know Dennis lied about being a disabled Vet? About owning a private jet? About everything? Probably not.   $StanphylQ $ChanosQ  $TSLA $TSLAQ  https://t.co/Y9sTFXaJDo

13604) -0.4462) I'm not happy one bit. I need a good price point to add another $30k into $TSLA. Are the FUD fabricators sleeping?

13605) -0.7184) 1999 all over again  Fraud with no legitimate business model going up 10% per week  $TSLA $TSLAQ

13606) -0.8481) German Car Production Drops to 23-Year Low 🚘📉🇩🇪 “…pollution concerns — intensified by Volkswagen’s 2015 #dieselgate scandal — trade conflicts, &amp; slowing economies have all weighed on demand. Daimler, VW, Continental AG are slashing jobs…”  https://t.co/qyFEMLxSHX $TSLA #Giga4  https://t.co/0G3RhOquJm

13607) -0.6597) Apparently @Tesla $TSLA stock also has a ludicrous mode...shorts now furiously hitting the blue button.   "You hit the red button and you see how deep the rabbit hole goes..." @CNBCFastMoney  https://t.co/zkugksqAvR

13608) -0.3107) $TSLA $TSLAQ $110 BILLION enterprise value, nearly $300k/car sold w/ expected 2019 GAAP LOSS of $500M - $800+M, nearly $8 BILLION in cummulative LOSSES. LoL.

13609) -0.6908) $TSLA at $490/shr. Defies imagination. Co has declining revenues, defective &amp; dangerous products and no legit senior mgmt after massive turnover.  Hey @neelkashkari - you guys enjoying watching capitalism ripped to shreds as easy money rewards fraud and punishes prudence?  $TSLAQ

13610) -0.8411) $TSLA  - when a long bet is wrong, risk goes down.  When a short bet is wrong, risk goes up.  So as #Tesla goes higher, the shorts have to reduce their risk, fueling more buying, creating a short squeeze.   I think it ends at $600 ~ 60x 2020 EPS of $10.  Street is at $5.70.

13611) -0.2885) Fuel burning cars should be legally required to reduce their fire risk to be at least as low as Tesla’s.   HUGE difference.  ICE vehicle fires 55 per billion miles   Tesla vehicle fires 5 per billion miles  $TSLA $tslaq  https://t.co/W5OiiD69U9

13612) -0.4939) OK. Just bought more $TSLA at $478. Still a steal.

13613) -0.4939) From December 1-30, 2019, Tesla Motors Norway A/S registered 24 Model 3s and Model Xs to itself. (0.8 cars per day.) On December 31, 2019 alone, Tesla Motors Norway A/S registered 75. (75 per day.) This isn't channel stuffing. There's no channel. It's something else. $TSLA

13614) -0.4939) .@fly4dat  $TSLA “The initial alert was a report of an electric car having caught fire, but police later confirmed to NRK that the fire started in a 2005 model diesel car.“  https://t.co/kjt2lt33aq

13615) -0.1779) Remember Elon Musk's crazy moonshot pay package from early 2018? Well, with the recent surge in $TSLA market cap, Elon is close to getting his first big payday from it  https://t.co/SZKudLhd4O via @MelinAnders and @danahull  https://t.co/xzbQBdswcs

13616) -0.7184) Elon knew Tesla's haters were feeding on his falling credibility. He'd over-committed on many things in the past.  He also knew that to silence those critics, he had to knock it out of the park with the Shanghai Gigafactory.  And he did.   $TSLA   https://t.co/k5D4XJSzwu

13617) -0.7351) @tool_grinder @ESCapResearch @GrainSurgeon @BloodsportCap I am analyzing $TSLA as two parts: Deliveries from Fremont and deliveries from China. China is a source of endless fraud potential and I would argue isn't something that can be analyzed. It will be what the CCP wants it to be. Fremont is a different story...

13618) -0.8566) @3to1dog1 @agusnox Tesla's business plan: LIE  RAISE CAPITAL  DESTROY CAPITAL Thus far, Musk has raised $20 billion and generated NEGATIVE profits. In fact, he's lost money 17 years in a row! No integrity. No path to profitability. Red flags unfurled!!! $tsla $tslaq

13619) -0.8294) "What competition?"  E-Tron is killing it in Norway. Merc EQC outsells SuX combined so far (4.5 days only, but no constraints of SuX supply, and no volume shipments of EQC yet). Interestingly, #Tesla has the inventory to deliver M3's, not in large volumes though.  $TSLA $TSLAQ  https://t.co/p5uTUCsTKN

13620) -0.2732) Ironic, all ICE producers join forces against Tesla in vain. $tsla

13621) -0.5859) @MotherCabriniNY @JordanWells33 @orthereaboot @BloodsportCap Size a position assuming a fraud can double or triple on you. $TSLA $TSLAQ

13622) -0.4215) @JordanWells33 @orthereaboot @BloodsportCap Old trading truism: a market turns when the last bear is discredited. We are damn close to that point. Mr Market likes round numbers so we may see $500 on $TSLA, at which point time to slide the remaining chips onto the table and call.

13623) -0.204) Very important: this is a top 2 catalyst, IMO, for an even higher $TSLA equity valuation. “True” mark-to-market net debt is now significantly lower than the majority of auto OEMs.  Those who are short either do not understand this or are in denial of it.  @ReflexFunds 💯

13624) -0.5204) Model 3 lemon lawsuits piling up as $TSLA war on customers post purchase continues apace  #1 reads like a standard TentMobile (Haghari v Tesla)  #2  Warranty obligations you say? What warranty obligations? (Mikshanky v Tesla)  https://t.co/4wASeQcfkR

13625) -0.1531) $TSLA stockprice is a rebel                     just as Elon is.  https://t.co/NRXWmxm4mo

13626) -0.3612) $TSLA Stock premarket hours💥  https://t.co/b1FbyeNF7H

13627) -0.1103) I’ve run some advanced calculations on $TSLA short positions considering monthly/weekly/daily price action, macro-economics, position size &amp; other advanced metrics. My calculations &amp; results are as follows: Saying @elonmusk is a fraud + #Tesla has no demand = you’re f*cked.

13628) -0.714) Why shorting stocks is dumb.    $TSLA short from $385 to $180 = ~50%  $TSLA long from $180 to $475 = ~164%  HFs sure, but dumb fintwit, nope (thats u TSLAQ)

13629) -0.1027) Tesla to Pay Only 40.91 Million Euros for Gigafactory 4  $TSLA #Tesla #GF4 #Germany    https://t.co/yUJnF4bniv

13630) -0.3868) Valuation based on # of car sales will never go away for most $TSLA skeptics.    Too be honest, we shouldnt care.  Amazon had same skepticism with Walmart, who still has 3X the sales yet 1/3 the market cap.    The numbers were crazier 5-10 yrs ago too

13631) -0.5106) $TSLA 469 and the first thing that comes to mind is the #noskidmarks hashtag when infact it's the exact opposite. You gotta feel for the open shorts and at what point does the pain become unBEARable.

13632) -0.6314) I don't want to see $TSLA crash, but it would be HILARIOUS, if the stock did crash, AFTER all the shorts have closed out their positions at massive losses. Because then they'd still be wrong!   LoL

13633) -0.6115) If you are named Musk, Aaron Greenspan of @PlainSite just might be the most dangerous man on the planet. An epic compendium of crime in an elegantly structured document. Reality Check indeed. This is not a simulation. $tslaQ $TSLA   https://t.co/P34dtwxFnB

13634) -0.508) Welp, looks like @TeslaJoy broke the FSD line at my local service center!! 😬🤡   Had an appt this morning and apparently, they have halted Model 3 retrofits there because fiirmware issues were causing issues with client's cars right before the NY....🤔🧐  $TSLA

13635) -0.6808) Former $TSLA employee @3D_Cristina argues that $TSLA has been intentionally delaying her arbitration proceedings by refusing to pay the requisite fees, though there is now an appeal complicating the matter.  https://t.co/X6CmsfGOZM

13636) -0.5719) $TSLA bears out of hibernation all of a sudden because Iran is firing missiles at Americans. yeah, go fuck yourselves, cowards.

13637) -0.6072) Oh look gas is going to $5 per gallon. Meanwhile you just bought  that 15mpg SUV instead of a Tesla a few months ago. Oh what's that??.. You want a Tesla now???. .Get in line suckers its going to be a half year wait.  $tsla

13638) -0.8526) Nothing wrong with having a little fun at the expense of $TSLAQ, but there’s no need to block anyone unless they’re being nasty to you. Let’s try to be tolerant.  As hard as it is to believe, there actually are a few smart folks on that side, even if they’re wrong about $TSLA.

13639) -0.3182) People are shocked seeing @Tesla's stock double in past 6 months and hit all-time high of $470...but some of us have been predicting this for years. I wrote this deep analysis of $TSLA stock nearly 3 years ago (with 10-year horizon hitting $3,000/share):  https://t.co/HYMyvUTyV9  https://t.co/4Qp7tlIFnq

13640) -0.4404) Elon Musk discusses today’s so called “Battery Fire” at the Norway airport   $tsla $tslaq #Tesla  (playboy billionaire and dirty sneakers Canadian singer celebrity voice impersonations by @polls Tesla )  https://t.co/VTDpURMvwV

13641) -0.8658) Here’s objective data- spontaneous combust at alarming rates  As mentioned, $tsla lack of pre-production testing &amp; quality don’t materially change initial fire rates, but over time, risk accelerates. tsla &gt; 5 years are new phenomenon, only going to worsen  https://t.co/KJjDRE2j90

13642) -0.3612) Tesla hit a new all-time high today. @karenfinerman has been doing some digging on Tesla's convertible debt, she breaks down what it could signal for the stock. $TSLA  https://t.co/tEok83KdoG

13643) -0.0772) @CNBC $TSLA stock is hitting all-time highs just as reliable indicators of sales—not the company's rigged, undefined numbers—show substantial declines. Meanwhile, the federal tax incentives have disappeared and more competition is coming.  https://t.co/IRhg4dtYXz

13644) -0.7717) $TSLA trading playbook:  Revenue decline -&gt; stock up $20 Expiring tax credit -&gt; stock up $20 Fake product intro -&gt; stock up $20 Autopilot malfunction -&gt; stock up $20 Battery fire -&gt; stock up $20 Accounting fraud -&gt; stock up $20 Elon dancing -&gt; stock up $20 WWIII -&gt; stock up $20

13645) -0.4318) Please report and block. This is not acceptable!   $TSLA

13646) -0.8402) I’m probably wrong, but I think we’ve seen the $tsla high now for at least a few days. Today felt different. Not advice. If I’m wrong I will delete this tweet 🤓😜  $tslaq

13647) -0.5994) Best $TSLA catalyst has been the return of that skeptical guy  from Montana and the dishonest chart maker turning into a terrible podcaster.  https://t.co/vIEJ4a5ySC

13648) -0.5423) Last night, mom wechat'd me from Shanghai: "can you give me a list of $TSLA suppliers in China, and their stock tickers?"  Me: "How much money have you lost in trading Chinese stocks last ten years." No reply since then...

13649) -0.9081) It's insane amount of money that's moving $tsla stock.  Options and  how it impacts share price ? Insane number of puts are getting 🔥🔥🔥 and Billions of $ profit for call holders.  For ex, Look at this graph 100 K leap puts 🔥🔥🔥  @ValueAnalyst1  https://t.co/WIHmZXGdCg

13650) -0.6597) I’d like to report a mass grave because $tsla @elonmusk have just been murdering short sellers @GerberKawasaki  https://t.co/p7bV2XvRdt

13651) -0.2922) Honestly, its hard for me to work right now. This is so insane. #tesla stock up $18 more dollars! $TSLA

13652) -0.8037) $tsla- which has no demonstrated ability to generate CF-  adds $3bn+ to its mkt cap today w news an EV (likely Tesla) sparked fire destroyed 300+ cars in Norway &amp; a pos “FSD” export ban. Tesla should be banned from ALL garages  Can always get crazier, but bemusement level extreme

13653) -0.3987) $TSLA is an 🇺🇸 car co. EMPLOYING 50k Americans, yet $TSLAQ are out to try to destroy it for their own personal gain &amp; ego, under some BS pretense of trying to save investors from the horrible evil doer Elon!  Everyone Tesla car owner I know loves their cars &amp; I’m one of them! ❤️

13654) -0.34) Go ahead $TSLA  Might as well go to $470.  I mean - why not... right?  Shorts having yet another bad day.  $TSLAQ

13655) -0.3804) In case ppl still dont get it, something obvious to many for years:  -ICE comes to an end -Tech finally disrupted the most traditional industry -Tesla is a deep high tech company. - Tesla technology is the most disruptive force in recent memory $tsla.

13656) -0.2789) Look at this grossly outdated story from (checks notes) .... yesterday. $TSLA  https://t.co/B0HblSZ942

13657) -0.5729) The single most important question that journalists should take away from this report is that $TSLA's key metric, "deliveries," is a black box. Tesla IR, its CFO, and Elon Musk have all refused to define it, and refused to deny that it includes shipments *to Tesla itself*.  https://t.co/c1yLzEEXoE

13658) -0.4588) Factory shut down, empty show rooms. What am I missing here? $tsla $tslaq

13659) -0.5859) There were rumors and $TSLAQ FUDsters believing in those rumors that $TSLA had no stamping press at #GF3. Turns out they lied again #fwaud:  Source: investor letter Q3/19  https://t.co/SkNOaQ5sRW

13660) -0.8369) The Tesla Striptease in China is almost as bad of an idea as Autopilot. Both will ultimately kill $TSLA and probably Elon Musk.  #Werk  https://t.co/cWQ23Bz7Fv

13661) -0.8674) $TSLA - being wrong is one thing and a regular occurrence in trading but being wrong and stubborn is an entirely different thing

13662) -0.7717) 🚨🚨🚨 Part of the Parking Garage at Stavanger airport has collapsed as a result of the fire started by an EV. Over 300 cars have been destroyed.  $TSLA

13663) -0.8074) Our fourth Reality Check report: Tesla, Inc. $TSLA. The company's financial disclosures are largely fraudulent and litigation is piling up because CEO Elon Musk is a habitual liar unfit to serve as an officer or director of any publicly traded company.  https://t.co/xwDfoDY2K8  https://t.co/50IonoJgmN

13664) -0.34) WWIII or a bunch of Tesla’s on fire? 🤔 $tsla $tslaq  https://t.co/DCwWOvzS6f

13665) -0.5859) Fire in parking garage at Sola airport. Several cars on fire.  I'm told this is where the EV charging station is located. $TSLA $TSLAQ   https://t.co/o7ewHWGX4G

13666) -0.0516) Just a note that Ford has ceased production of several car models that outsold Model 3 in the US even as they stopped making them. Ford stopped making them because they weren't selling enough to scale them profitably. Think about that.  $tsla $tslaq   https://t.co/DBBIQMQ0uT

13667) -0.7227) Some thoughts on $TSLA Q1 deliveries. 1) There are both headwinds &amp; tailwinds for deliveries for Q1 vs Q4. I think deliveries are likely to be down QoQ, but not too significantly.   Delivery headwinds in Q1:  A) Negative auto sales seasonality.

13668) -0.34) Tesla CEO @elonmusk attend a delivery Ceremony of Made-in-China Model 3s in Shanghai Gigafactory 3: Let's dance 🔥🕺🏻👏🏻  $TSLA #Tesla  https://t.co/CEHvIDElKS

13669) -0.4278) Tesla shorts- can you raise your FUD game. Need a new $TSLA entry point and it’s not happening.

13670) -0.6124) And a few days, ago, those protesting $tsla sales policies were told to take down their posters.  Tesla in China is not about the Chinese consumer. It is about China using a subsidy-driven stooge, &amp; massing the full force of its governmental largesse &amp; power, to embarrass the US.

13671) -0.2732) In the beginning, the cars were worth more than what $TSLA would owe.  Then, in 2017, an accounting rule change forced $TSLA to move half of the portfolio out of leasing and into "Sales with a right to return" (SRR).    Out of sight, out of mind.   4/7

13672) -0.4753) Tesla has doubled potential production in China. Within 12 months they will have similar production output as Fremont. But at a much lower cost of production! #tesla $tsla

13673) -0.2023) Flawless form in that blazer toss. Elon Musk's epic dance moves in China's Model 3 handover event foreshadows a painful future for Tesla critics $TSLA  https://t.co/9CzCqe2sEr  https://t.co/atWnsSFE9f

13674) -0.4588) $tsla shares up strongly on news from fraud, drug using @elonmusk that the next car model will be a cheap "World" car for export from China to Asia, bringing Tesla further down the value chain and into a margin war zone.

13675) -0.1531) @GS_CapSF @SquawkCNBC @munster_gene @andrewrsorkin @Lebeaucarnews I get that. But if you claim to have a “model” that gets you to an aggressive price target, and yet that model is easily deconstructed, it’s a whole different thing. And that seems to be a consistent feature of the $TSLA story. Numbers that make no sense-past, present and future.

13676) -0.6486) When you go to the gas station. Just think of all those koala bears, kangaroos and people who have perished in #AustraliaOnFire - not to mention spending $80 to support the worst regimes and enemies of America.  Seems like going EV is a no brainer. #tesla $tsla #ClimateChange

13677) -0.128) Who honestly believes $TSLA will only sell 1.2M units in 2025? That is such a bad assumption.  https://t.co/o4aJ7crHfW

13678) -0.2023) .@ElonMusk, you've once again left @JimCramer dumbfounded, but this time it's a little different.... Why isn't Tesla $TSLA stock higher?   https://t.co/QJV4NsGxtt

13679) -0.6956) @markbspiegel Bubble + fraud + climate change warriors + our tax dollars + captured reporters + corrupt social media + ARK type MMs + CNBC whores  = recipe for Enron on steroids.  Problem of course the above is not a three legged stool but a fucking banquet table.   $TSLA

13680) -0.2732) $500 target for $TSLA on short squeeze likely too low. Shorts have barely budged yet the stock is $460.   $600-$700+ likely (this year).   #long

13681) -0.4278) Can you imagine the FUD storm that would ensue if anything remotely close happened at $TSLA?

13682) -0.296) @elonmusk takes the mike at 12:20 at GF3 in Shanghai (press and hold video to fast-forward on your touchscreen device).  Elon teases a future announcement of Model Y’s “advanced production technologies” at about 18:00. $TSLA   https://t.co/NGxu86oKQx

13683) -0.4404) $TSLA June 19 500 1.7M Call Block

13684) -0.6884) $TSLA shorts are trying to sneak out without anyone noticing and starting a panic. There are still enough shares short to drive the price past $600 as soon as someone cries...  WOLF!!!

13685) -0.7501) 9/ This is the 3rd wave of buyer protest in the past 12M. Like I have said previously, what $TSLA buyers in CN really hate is to see this "luxury product" being discounted &amp; all the poor plebeians to be buying it.    https://t.co/Pbx19cArAP  $TSLAQ   /END

13686) -0.2732) 8/ M3 buyers in CN feel that they are "chives" (韭菜) that were "harvested" by $TSLA, which is basically a slang saying that they were patsies that fell victim to unsavoury tactics.   (no pun intended)  $TSLAQ   https://t.co/ZihfHLZPhq

13687) -0.6124) 5/ - 3 Jan 20, $TSLA announces price cuts for MIC-M3, so that all imported M3 buyers have missed the 7 day window to return their cars.  Buyers feel that they have been tricked into buying something with the same specs for extra 60k.  $TSLAQ  https://t.co/qOvYCwFH3Z

13688) -0.8007) 2/ Banners in $TSLA stores basically saying:   "Want to add some troubles to your life? Buy a Tesla";  "Unethical US company Tesla playing with Chinese consumers";   "Wait before you buy! Prices are going to drop again! More discounts coming tomorrow!"  $TSLAQ  https://t.co/jkvgz47K1r

13689) -0.7579) The $TSLA killers all seem to be adopting a new strategy: killing Tesla of laughter.

13690) -0.0772) Fun Fact:  $TSLA's market cap is within 7% of the world's second largest auto company, VW group, which made $13B in profit on $278B in revenue over the last twelve months. No robotaxis though.  Tesla lost $0.8B on $24B in revenue. Also no robotaxis though.  Strange times.

13691) -0.296) "Meanwhile - stop us if you've heard this one before - the Tesla's battery then began "exploding on scene""  $TSLA $TSLAQ

13692) -0.3182) china customers get musked  tesla China sales team lied about the superiority of imported model 3 inventory to make sales then pulled the the rug with a $10k price drop on MIC model 3s $tsla  https://t.co/JWVjMKPcuL

13693) -0.5499) Bear porn or existential threat to the criminal Elon Musk? I have no idea as yet, but there's a PDF unroll of this provocative thread here, if you want it:  https://t.co/3NlFZhtqs7 $tslaQ $TSLA

13694) -0.34) Tesla GF3 leak reveals big Model Y announcement at MIC Model 3 delivery event 🚙🔋🇨🇳 “Elon Musk is reportedly on his way to China for the event.”  https://t.co/B0Z1C0ZSGQ $TSLA  Inside #Gigafactory3 ⬇️  https://t.co/fYCzgSMf9Q

13695) -0.5499) Tesla slow walking Solar panel repairs in MA  "For 2 months, we tried emailing and calling Tesla, but the company never responded. Then we contacted the AG’s office who sent us copies of dozens of complaints against Tesla, many with the same issue." $TSLA   https://t.co/koEqhqWXOJ

13696) -0.2263) If $tsla batteries really have a cost advantage, why is Tesla charging $180/kWh to replace them? (Btw, welcome to the reality of what happens to your Supercharging battery after 5 years. But never mind that, let's criticize Porsche &amp; Audi for more conservative battery management)

13697) -0.1432) Cautiously optimistic about $tsla at this current moment.   I love to see this amount of growth, but it's also slightly terrifying at the same time.   Thoughts?

13698) -0.3818) No need for #StealthRecall if you can get lemmings to pay for it.  h/t @dm_ms   https://t.co/t1HxsYAkk9 $TSLA $TSLAQ  https://t.co/1xKOs0quub

13699) -0.7191) Serious question :  Who do THEY think "Big Oil" is?  They seem to ACTUALLY think there is ONE big player shorting $TSLA stocks so Tesla will fail.  If that were the case, who is it?!   Lemmings, give me one name!   "Big Oil" is NOT a valid answer. Give me an actual name $TSLAQ  https://t.co/IzcIMn50hb

13700) -0.3632) ID.3 will not be ready in time to offset billions of euros in EU emissions fines.  VW may have to pay @Tesla 💰💰💰  $TSLA #NotSellingAShareBefore5000

13701) -0.296) Volkswagen ID.3 Update — More Delays Expected 🆔3️⃣ “The ‘S’ version with 77 kWh battery will be a four-passenger model only, with no seat belts fitted for a middle passenger in the back seat.”  https://t.co/Lxm7meZ3hN $TSLA #EV  https://t.co/y1fO3rB5fI

13702) -0.3655) Pier 80 Today®...a very few RoW cars have finally appeared. The RoRo Morning Catherine moved from Benicia to the anchorage late last night. It's probable, but not yet certain, that she will be the first Q1 ship. Sometimes ships anchor for a bit and then just leave. $tslaQ $TSLA  https://t.co/zgCpZ2FPCr

13703) -0.296) 🤔Weird when the official $TSLA Shanghai video contains no footage of actual manufacturing or assembly operations...

13704) -0.0679) I'm starting to wonder if we should just start encouraging them. Basically agree with them.  The sooner they invest their life savings in shorting @Tesla the quicker they will loose all their money and we get rid of them  I see no more reasons to argue with them  $TSLA

13705) -0.5106) Angry Chinese $TSLA owner who was pushed to take delivery before Jan 1 only to realize that the same model is selling 9% less a few days later showed up in store asking for compensation.    https://t.co/GfwO6iItla

13706) -0.1263) If anyone knew who $TSLA's current General Counsel is, this car owner might able to alert that person to a life-or-death risk that in addition to endangering lives could also become quite serious financially speaking. Instead, total opacity.  https://t.co/IM8V3KxaGu

13707) -0.5515) "Elon Musk currently has many reasons to celebrate. But one thing should particularly satisfy the Tesla boss: The speculators he fervently hated, who bet on a $TSLA stock crash, got their noses bloodied" (Der Spiegel,  https://t.co/w1dCl3saPl)  🩸👃🩸 $TSLAQ 🩸👃🩸

13708) -0.296) @BradMunchen I’m going to guess - sales to resellers along with questionable interpretations of NL tax breaks.  $TSLA $TSLAQ

13709) -0.2144) @BonaireVolt @BradMunchen reminder, whenever Musk gets in trouble, a la SolarCity merger time, he starts selling whatever he can with guarantees on the back end but without taking any upfront reserve or hit.  Over time, as we see from $TSLA filings, those guarantees come back to bite &amp; are quite material.

13710) -0.7783) @fly4dat @BradMunchen @NewYork_SEC @HesterPeirce given the global fraud perpetrated by $TSLA which will berevealed and the SEC will be sued for billions in class action #ClassActionVSEC Thank @elonmusk for perpetrating criminal fraud w/ help of Deepak Ahuja CFO , others n Jay Clayton #ThisFraudStinks

13711) -0.8442) Typical cusp-of-WWIII rotation into conservative fraud, wrapped in a lawsuit, trapped in a bubble trade.  $TSLA  https://t.co/HQ4GPdFPI9

13712) -0.2481) @recoby4of5 @PetiaDimitrov14 @InvestorSwan @BuzFed @blazen_james @ghost_scot @elonmusk @Tesla @TeslaSolar Be sure to file a complaint against Tesla’s Contractors License(s) and document all damages, hiring an independent inspector to fully assess + document ... I know all to well, as Today is Day 326👈 of our  Tesla Nightmare!    $TSLA $TSLAQ

13713) -0.7425) Document everything, hire an independent inspector to throughly inspect + type a report ... @Tesla is a Nightmare, Today is Day 326 of our Major Damages all from #Tesla performed Full Reroof + Solar PV Install 😢  $TSLA $TSLAQ

13714) -0.5859) Yet TC has no issues with being a leading member of an organisation whose sole purpose is to spread disinformation and has contributed to its followers losing $3 billion in 12 months as a result of believing those falsehoods? $TSLA #Tesla

13715) -0.7579) Final EU Q4 and 2019 figures. Will be finetuned w/ model breakdowns in some countries. Brand totals are broadly OK.  Q4 M3 ~31k, SuX ~4.3k, 3SX ~35.3k. M3 QoQ ~19%, SuX ~flat. SuX YoY -46%.  $TSLA $TSLAQ #Tesla  https://t.co/JLjJffpFCg

13716) -0.4939) These Media Posts serve as Official Notice that many aspects of @tesla business are fraudulent.  E.g.  Tesla Warranty Expense: A Case Of Goodwill By The Auditors $TSLA  https://t.co/wtynpaVTX4

13717) -0.7003) On ChartCast. got pushback for two predictions.  1) $tsla in dire need of cash &amp; would have to raise Q1. A week later, $tsla fully levered its China sub, trapping cash. Raise may delay to Q2  2) Shanghai mY export to EU in 2020. not enough domestic Chinese demand to sate  factory

13718) -0.6597) 🚨🚨🚨 $TSLAQ please reshare this, the last thing I’d want is for some family to be taken off a cliff, seriously. This is a frightening post. Shame on you @Tesla @elonmusk. $TSLA 🚨🚨🚨

13719) -0.5423) BMW is very fast loosing it’s hard earned credibility. Sad... $tsla

13720) -0.128) Several model 3 owners are complaining that their car is repeatedly calling the last called number on their phone when locking/unlocking the car. Is it the robo-taxi cold calling for customers? $TSLA $TSLAQ

13721) -0.2003) Oh no! I thought UK demand for $TSLA's Model 3 would pick up the slack from plunging sales in The Netherlands in 2020.  $TSLAQ

13722) -0.3855) Who was it that was saying Chinese buyers weren't that interested in the #Model3 ?? 🤣#Tesla #DumDums $TSLA   🤡💩 $TSLAQ 💩🤡

13723) -0.3291) MP Block List Update, 7048 accounts. About the experiment...it was too risky to run it on this account, so I used an old test account to see what would happen. Results not great...it got rid of some cretins but enabled others I hadn't seen in ages to bleed through. $tslaQ $TSLA

13724) -0.2942) @Gfilche @Tesla Don’t forget those 1,000 solar roofs that were installed in Q4! $TSLA

13725) -0.1531) Did I miss the 1000 Solar Roofs that were to come flying off the line last week?  $TSLA  #BuffaloBillion  #ThanksAndrewCuomo

13726) -0.4019) There are over 400 employees @NHTSAgov that make $100K per year that are ignoring the rampant #predictableabuse of $TSLA AutoPilot  They won't do their job, it's time to #Defund NHTSA  cc: @SenMarkey

13727) -0.2732) Presented without comment, for the blocked. $TSLA $TSLAQ  https://t.co/KvYPli11rF

13728) -0.7351) @tedstein @TESLAcharts @GerberKawasaki @TashaARK It's far worse. He presented slides showing owners would make $30,000 gross revenue per year renting their cars out of the $TSLA Mobility Network.   https://t.co/4wyMxCDzeG

13729) -0.128) China-Made Tesla Model 3 Demand Spikes After The Recent Price Adjustment 🙌🏻📈  @Tesla @elonmusk  $TSLA #Tesla #MICModel3 #China   https://t.co/bZvrx7t4Su

13730) -0.128) China-Made Tesla Model 3 Demand Spikes After The Recent Price Adjustment  $TSLA #Tesla #China #MIC #Model3    https://t.co/R7X1TBq7gA  https://t.co/ACVf6PkxYK

13731) -0.1511) Well well..  Cristina now believes this photo will clinch her win against Tesla. You know, the ones that she repeatedly lost, lost Appeals, refiled lost Appeals &amp; had at least 2 Attorneys fire her as a client?  #Eureka! #conspiracytheories #SelfAggrandizement  $TSLA  https://t.co/7x937efIE3

13732) -0.5267) Elon Musk is a criminal. $tslaQ $TSLA #TheTheftLifestyle

13733) -0.128) Anytime a $TSLA bull or @elonmusk himself uses the phrase ‘robotaxi-capable’, they are confessing that @elonmusk committed securities fraud in May of 2019. $TSLAQ

13734) -0.2441) Solid article but this annoys me:  "Tesla's roughly $80 billion market cap far exceeds the value of its Detroit rivals."  When those "rivals" start selling solar and battery storage, then we can call them rivals.   $TSLA is not just a car company...   https://t.co/V1SQQn1EqK

13735) -0.1531) If you're Elon, what value is Omar providing at this point now that he's twitter banned? $tsla $tslaq

13736) -0.6597) "Three people were critically injured Sunday morning after police say a Tesla ran a red light and hit another car in downtown Salt Lake City."  "After the crash, Olsen said the Tesla’s combustible battery began exploding on scene"  $TSLA   https://t.co/bZIRsr2Y0B

13737) -0.6597) SALT LAKE CITY — Three people were critically injured Sunday morning after police say a Tesla ran a red light and hit another car in downtown Salt Lake City.   "After the crash, the Tesla’s combustible battery began exploding on scene."  $TSLA $TSLAQ   https://t.co/VHLHP9VEnT  https://t.co/0039dWOkfr

13738) -0.5267) The criminal Elon Musk lives in the memory hole. $tslaQ $TSLA

13739) -0.1531) But Sean, legacy OEMs rigorously test EVERYTHING   $TSLA #NotTesla

13740) -0.0772) Tesla "General Counsel" servicing Elon Musk. #Slurp $TSLA   Sorry, Bonnie &amp; Ross, guess there's an age limit. #Pedo  https://t.co/xC0op3q9dy

13741) -0.6705) @CallerNaked @markbspiegel @LeftHandPole @bbm010 @CoverDrive12 @Andreas_Hopf I've got $150m for Q4'19 GAAP net profit for $TSLA vs consensus at $110m. This assumes same gross profit/unit as Q3 (doubtful). I also include $200m in ZEV/GHG credits.   But it all depends on Panasonic, to whom $TSLA owes money. That could be a disappointment.

13742) -0.5617) It is weird, it's almost like he's worried the BS narrative he's crafted is at risk.    I'd say it's a Risk Factor even.... $TSLA  https://t.co/tPqnxuPUuu

13743) -0.5526) Accidentally opened my stock portfolio the other day and WOAH!! G’ahead $TSLA!!

13744) -0.7185) @PedroCoSilva Because @elonmusk says stupid shit like "500,000 deliveries in 2019" back in Feb. I could list lots of other fraudulent predictions of his, but Twitter limits me. I'm not speculating. I'm looking at how much pain the global car market is facing in 2020. FYI, $TSLA is a carmaker.

13745) -0.5423) Stocks "price in" the following 6 months, they say. Then why is $TSLA at all-time highs?   Musk said 1H'20 earnings would be crap on the Q2 conf-call. GF3 was implied as the drag. He said 2H'20 would be "incredible". China EV sales were +62% YoY back then. Now: -26% since Jul'19.  https://t.co/lxl1LBCY20

13746) -0.296) Just thinking out loud here. Even if $TSLA hits their 80K target for MIC Model 3 sales in China this year, I only get 359K for global deliveries (-2% YoY) in 2020.    US:     153K (-10%) EU:       90K (-20%) China:   88K (+94%) RoW:     23K (-8%)  That's w/out px cuts.   $TSLAQ

13747) -0.6115) We all know this is a "made-in-Fremont" car. Why? Because $TSLA still won't show footage of the actual assembly process at GF3. Also, the 2nd video where Dan Ives of Wedbush is interviewed is nauseating. He is the most moronic analyst covering $TSLA.    https://t.co/jPj750uwql

13748) -0.499) $tslaq seems so worried and scared lol. @thirdrowtesla you might be hitting a home run here. $tsla  https://t.co/R3oIdn5J9P

13749) -0.4019) Hey @CGrantWSJ here's an example of a real journalist informing his audience rather than misleading them. You could learn a few things from @johndstoll $TSLA $TSLAQ #Tesla  https://t.co/BFp3LYgzhu

13750) -0.6196) "Make Tesla sustainably profitable but turns out this is a remarkably hard problem. I'm just making up numbers here."  #Tesla $tsla $tslaq

13751) -0.3818) $TSLAQ hard at work trying to undermine $TSLA...  Only thing that saves them, is that ever-present lifeline called Mom's Basement.  https://t.co/oqm17h9etn

13752) -0.5574) Reminder: Rob Baron thinks $TSLA could be a trillion dollar company by 2030. Personally I’m starting to think this is conservative.

13753) -0.4019) Tesla short sellers lose $ 8 billion over the past seven months $TSLA    https://t.co/7D4E15GE1s

13754) -0.4767) $TSLA shorts have the infamous $TSLAQ block list to thank for their losses. Here is how it worked:  https://t.co/ZKUnXFQqHq

13755) -0.5574) I hereby ban any discussion of $TSLA stock splits on my page. If you even mention it, I'll come after you.  https://t.co/xiuis3eZpM

13756) -0.8687) 1/Let's take one point. &gt; $14 billion in junk-rated debt! How much significance do you assign to this point? Tesla has a massively negative ROE, has posted losses 17 consecutive years, and is going to lose money again in 2020. $TSLA $TSLAQ

13757) -0.296) Tesla has only ~11 days of inventory  This is 6x lower than industry average  $TSLA #NotSellingAShareBefore5000

13758) -0.2665) The Volkswagen FaustianDeal of the Century 🖤: Invest in me, I know how to make EVs, I will make You 100K EVs while I make Myself😈 9.9M ICEs  Thanks, but no thanks! 😇 $TSLA

13759) -0.4767) Tesla stock rally was an $8 billion bloodbath for short sellers | CNN  Ouch 😢  $TSLA  https://t.co/4qYPHMfyGC

13760) -0.296) Must watch:  "stop a guy for speeding and all he wanted to do was talk about the Tesla"  $TSLA   https://t.co/znRUj8svF6

13761) -0.296) The most profitable short trades on $TSLA have been when something hugely negative is largely not reflected in the stock price (e.g. "funding secured" is fake; Jan/Feb '19 sales hangover). High probability this is one of those times.  https://t.co/ASLQ4VBF50

13762) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 257 (41.5%) Days left: 362 (58.5%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

13763) -0.4215) Daimler, for one, seems to be struggling in its home court, selling only 55 units of the its first all-electric SUV, the once-deemed “Tesla Killer” Mercedes-Benz EQC, since it was released in Germany. #Tesla $TSLA   https://t.co/J5qzE3IOPd

13764) -0.516) When an alleged Bull goes on a multi-day rant dissing the car, the stock, telling people to sell, seeking out &amp; hooking up with $TSLAQ... You can best believe the big $TSLA RUN-UP WAS MISSED. Big style... Most would take it on the chin vs. disparaging Bulls &amp; everything in sight.  https://t.co/teWHEZO5Se

13765) -0.2401) I would not be surprised if @SpaceX developed the water treatment.   Closed loop, Mars rated!   $TSLA @Tesla

13766) -0.7096) If anything 2019 made clear, it is that 2020 will be a disastrous year for ICE industry. In Europe they will try to sell half baked EV compliance models at th expense of own ICE models and further tarnish their brands. Confused buyers shall further delay purchase decisions. $tsla

13767) -0.1822) $TSLAQ $TSLA  As you can infer from the headline the article is nothing but “stock price, bro”  The only OEM that lost money this decade and this doofus calls them the best performer because stock is up the most  Everything wrong with current market   https://t.co/ybYahbQZ1m

13768) -0.128) $TSLA on fire 🔥  technical breakout and massive short squeeze since $388 (tops Jun17, Sep17, Aug18, Dec18)  ...now, either the bonds are 100bp too cheap or stocks too elevated ? in any case what a massive move and divergence, let's see which leg is catching the other.  https://t.co/X7vQQHoGWq

13769) -0.6799) 3) Start-up costs &amp; yield issues should lead to at least -$267m in 1H net losses &amp; -$373m in FCF. Volumes should be capped at 27K in the 1H unless $TSLA drops the price further (which is certain). So gross margins will likely be -23% in the 1H, despite cheaper labor/parts costs.

13770) -0.1546) 1) Zach "Boy CFO" mentioned on the Q3'19 conf-call that $TSLA's MIC Model 3 would generate around the same 20% gross margins as in Fremont, despite lower costs. But at that time, the MIC M3 was $51K. $TSLA just dropped the price by 9% to $46K. Does that mean 15% margins now?

13771) -0.7717) .@Matthew_Winkler is a complete HACK and refused to issue a correction on blatant errors on a previous Tesla article he wrote. Zero shame. $TSLA $TSLAQ

13772) -0.917) Is it just me, or is this statement about GF3 battery pack production in $TSLA's Q4'19 delivery report confusing? They produced "just under 1,000 salable" Model 3s but can do 3K/week "excluding battery pack production". Wtf?! No battery pack = no car.  https://t.co/3rc1rUTV7b

13773) -0.7456) $TSLAQ wasn’t betting on bankruptcy, they were actively trying to cause a run on bank negative feedback loop outcome. Generate enough FUD and cause people to forego buying, raise borrowing costs &amp; cut Tesla off from capital raises. It basically worked on solarcity. $TSLA

13774) -0.0571) More on top of the $tsla Buffalo swindle than any other reporter out there (with exception of @drobby), this guy. Hey, New York State, don't you need the $41.2 million this year? With Tesla's market cap well over $70 billion, it won't even notice.

13775) -0.4767) In 7 of the last 8 quarters- including Q4 2019, the hard-working global team at Tesla has broken its previous all-time quarterly record for Model 3 deliveries.  @elonmusk $TSLA $TSLAQ  https://t.co/0ArPfGlNYc

13776) -0.5733) $TSLA - Tesla’s Neural Net orders FSD for owners automatically.  Before the End of the Quarter.  Owners say no thank you and try desperately to get refund.

13777) -0.7845) And this is how u fool public and keep the charade running. @business shud be ashamed of such an article. Its Cathie wood and Elektrek piece which are on Terminal than bears.   Plus, $TSLA lost &gt;6B this decade. &gt;$13B debt taken. How is this a good thing?   https://t.co/3y0Ugc8GEW

13778) -0.8271) Tesla short-sellers lost a whopping $2.9 billion in 2019 — and the stock's latest record rally is making their pain even worse (TSLA) 🧸📉  https://t.co/aUvDIpv4fz $TSLA #Tesla #EV  https://t.co/JhoET1HCEx

13779) -0.2144) On April 1st, $tsla was an insolvent joke. Had to haphazardly fire staff, take major discount on sale of credits ($150mm deferred) &amp; was weeks away from bk but stick saved by May Robotaxi Fraud Raise  2H 2019 revs &lt; 2H 2018 revs, $tsla underperformed QQQ 2019. Rate this tweet B-.  https://t.co/Mm2aA5vRHz

13780) -0.4939) Fremont managed to make 6689 model 3s per week, after making 6141 per week. A production increase of 9%.  Next year Fremont loses Netherlands demand (which took 17% of Q4 production) and China export demand. Absent a new Netherlands, there are no new markets to launch. $tsla

13781) -0.1531) Elon &amp; Tesla should forecast 420,000-500,000 vehicles for this year and crush their own guidance. One thing we can learn from @tim_cook $TSLA

13782) -0.2732) Elon @elonmusk warned 'em: $TSLA rally leaves short sellers down $3 billion since 2018  https://t.co/DMdVXEw57c

13783) -0.4939) 3 thoughts on $TSLA: 1) Can't justify valuation w/ current results. Value investors hate it. 2) Elon's reckless &amp; overhypes everything. Industry experts hate it. 3) It's disruptive in its sales &amp; tech approach. Growth investors love it.  Investing is as much art as it is science.

13784) -0.4404) The charts of madness... $TSLA $TSLAQ  https://t.co/v5o0IDKkHQ

13785) -0.5574) Total Annual @Tesla Deliveries:  2019: 367,500 (+50%) 2018: 245,240 (+138%) 2017: 103,097 (+35%) 2016: 76,295 (+51%) 2015: 50,580 (+60%) 2014: 31,655 (+41%) 2013: 22,477 (+748%) 2012: 2,650  Compound Annual Growth Rate = 102%  🔥🔥🔥  $TSLA $TSLAQ

13786) -0.863) Oh my god! #tsla $tsla in BANKRUPT! 🙃 @elonmusk 😱 😜  https://t.co/tzdh9a5EL5

13787) -0.296) Just in case you missed it:  2019 results high-end BEV's in Norway. Presented without comment.  $TSLA $TSLAQ  https://t.co/wUyPzMT54k

13788) -0.6421) Sabéis como recorrer casi 600km con 15 💶? 🤔⏰⏰⏰ exacto! Con un EV, mejor si es @Tesla.  Do you know how to travel almost 600km with 15 💶? Exactly!  With an EV, better if it's #tsla $tsla  https://t.co/XRProldhf8

13789) -0.5267) "Three crashes involving Teslas that killed three people last month have increased scrutiny of the company's Autopilot system just months before CEO Elon Musk wants to put self-driving cars on the streets."  $TSLA   https://t.co/HGO43yBXFW

13790) -0.25) $TSLA is now officially part of Chinese State Trade propaganda. Take it for what you will. Sooner or later, the US Administration may notice.

13791) -0.296) Tesla was also able to significantly lower the model 3 sales price in China now not in 6 months as previous inaccurate reports stated. This is due to China subsidies for EVs. $tsla #china

13792) -0.3182) $TSLA skeptics have likely been missing the forest for the trees. With this video op-ed, the CCP is sending a clear message: they have been using Tesla and Musk to "prove" that they are stronger than Trump and counter trade war messaging.  https://t.co/zuxrvW0UXy

13793) -0.1531) Holy fuck. The whole industry missed big - except $TSLA. I think I remember a certain telecom company that continued to post great numbers as the industry collapsed around them in the early 2000s... what happened to them again?  https://t.co/k2UGhrkIGf

13794) -0.2732) To address Elon's "correction". Tesla made 105k cars in Q4 for an annualized rate of 420k, or a 16% miss.  Unlikely demand will even come close to 400k in 2020 unless major subsidies are renewed/extended.   $TSLA $TSLAQ   https://t.co/NY86cbPYHQ

13795) -0.296) Less than 11 months ago, Elon estimated Tesla would produce 500k cars in 2019. Stock was at $305.  They missed that estimate by 27%, producing just 365k cars. Stock is at $450. #rationalmarkets  $TSLA $TSLAQ

13796) -0.8555) I wonder if $tslaq will ever get tired of being stupid and poor.. $tsla  https://t.co/6OcUPhhDJq

13797) -0.0772) The best part of the $TSLA coverage is that the woman that reports on frauds, missed the one right in front of her face.  @bethanymac12 &amp; TSLAQ

13798) -0.2111) So $TSLA barely hits the low end of its guidance . . .  "That pushed 2019 deliveries up to 367,500 vehicles in line with Tesla’s guidance range of 360,000 vehicles to 400,000."

13799) -0.7712) MAN i want to come back and short $tsla but then I have to start analyzing the company again and the last month not thinking about Elon and his cult is something I will never give up again. While I still looking forward to his eventual arrest, I no longer care how it plays out.

13800) -0.8957) Ok. So where do I start today. TESLA KILLED IT!! Even a war with Iran can’t keep the stock down. Huge move. Total destruction of the shorts. Come on, only thing better would be Yang riding a Cybertruck to the White House! #tesla #YangGang $tsla

13801) -0.0516) Adam Jonas estimated $TSLA as $10-$500 and might still be wrong. 😂  https://t.co/HdWrRyg1zt

13802) -0.2263) Did I forget to meantion my delivery estimates were roughly 111,069? $TSLA $TSLAQ

13803) -0.0772) I think I know why @timseymour hasn’t covered. I fixed it now. My bad.  $TSLA 🥴🤡 $TSLAQ 🤡🤣  https://t.co/QNKNst9n5N

13804) -0.4019) $TSLA short int is $11.89bn ; 27.64mm shs shorted; 20.65% of float; 0.30% borrow fee. Shs shorted down -920k shs, -3.2%, over last 30 days as price rose +28% &amp; up +240k shs,+0.9%, last week. Shorts down -$2.92bn in 2019 mark-to-market losses; down -$330k in January 2020.  https://t.co/vHcZHJzP5P

13805) -0.4767) Ok, I was close. But had errors within that need checking.  Stay tuned for a recap when we get to know China.  $TSLA $TSLAQ

13806) -0.9274) The last of the $tsla “good news” is behind the stock. Welcome to cash hell, declining sales hell, &amp; litigation hell that all surfaces intraQ.  And Q4 numbers will not show incremental margins that theoretically should exist if Q3 numbers weren’t cooked (they were).  Giddyup

13807) -0.5267) So to recap:  ✔️ no reference to net orders, an unusual absence from $tsla delivery report  ✔️ massive China price cuts announced  🤷🏼‍♂️

13808) -0.34) Same for Q1, $tsla claimed orders outpaced deliveries.  Silence in Q4 &amp; inability to spin at all is noteworthy  Q1, &amp; 2020, bloodbath awaits.  https://t.co/OkMH4Vr6uz

13809) -0.7946) Eat this delivery number Cowen, Einhorn, Chanos, and all shorts $TSLAQ!  367,500 vehicles delivered for 2019 yr! 🚀🚀🚀  Let the carnage continue! LET THEM BURN! 🔥🔥🔥  $TSLA #Tesla   https://t.co/HPoqz9Frrj

13810) -0.7351) 5) Over 20 new EVs hitting the Chinese mkt this year. The MIC M3 price will drop to $30K this year in order to run GF3 at 12.5K/month. This will generate huge losses as $TSLA depreciates $700m of GF3 equipment set up to make that amount. Problem is: the Model 3 is a dud in China.

13811) -0.0772) 1) Demand for $TSLA's Model 3 in China is so "hot" that they just dropped the price by 16% (including $3.6K in subsidies). The actual factory price dropped by 9%. To put this into perspective, this reduces the MIC M3 gross margin by 5%-points, yet $TSLA fanboys are ecstatic.  https://t.co/lcyB0xE3H4

13812) -0.836) In Q3, $tsla delivery report claimed “record net orders” and “an increase in our order backlog”.  In Q4, $tsla claimed nothing, while noting it had in aggregate produced less China M3s than the weekly runrate announced a week ago . . . 🤥🤥🤥  https://t.co/zrGsM7idnj

13813) -0.2924) "It's not clear if the delivery numbers are directly comparable to prior periods, because in its third-quarter regulatory filing Tesla began to refer to "cash deliveries," a new term the company has yet to define."  $TSLA $TSLAQ  https://t.co/ub3wR86E6m

13814) -0.34)  https://t.co/GSJgX2H7yo A rare +ve piece on @Tesla by GloomAndDoomberg. I cant square this plot with @ihors3 reporting 20% of float being shorted even now. Has shares shorted fallen below all time low? $TSLA #TSLA  https://t.co/jl4AZVOMKg

13815) -0.4019) What a reckless headline.   From the story:   “In both cases, authorities have yet to determine whether Tesla's Autopilot system was being used.”   $TSLA #Tesla  https://t.co/Hw0FmUPo8w

13816) -0.3612) First quarter is going to be a disaster, ironically, it will likely be only q of 2020 w YoY unit sales growth. $tsla

13817) -0.6249) That $tsla had to slash prices before the Q2 subsidy expiry is an awful sign (for the bulls) &amp; proof again the bears were right.

13818) -0.7739) Tesla China LIED at the end of the year about upcoming made in China Model 3 price cuts likely so they could move the remaining imported Model 3 without having to massively lower their prices.  $TSLA

13819) -0.3612) $TSLA  "Some critics have said it's past time for NHTSA to stop investigating and to take action, such as forcing Tesla to make sure drivers pay attention when the system is being used."   https://t.co/WdJ2FbauRi

13820) -0.4574) FLOOD of new 🇨🇳 #Model3 orders after @Tesla drops prices by 9% overnight. 10+ in one minute!  (RUMOR: Reservation holders told to put 20% down or lose their spot and have to wait another 3 months) $TSLA  China market 💪🏼 for Tesla.

13821) -0.7269) The reason why $Tsla is a no brainer is even if you take away Autopilot &amp; FSD. @Tesla is a no brainer vehicle to buy. Then enters autopilot + FSD.  It's insane to buy anything else.  @ValueAnalyst1 @28delayslater @thirdrowtesla @gwestr @TeslaPodcast @ray4tesla @vincent13031925

13822) -0.6705) @BradMunchen $tsla subsidizes customers first then gets reimbursed by the central govt. it is speculated that the subsidy will be halved in March, similar to the cut in March 2019.  By cutting subsidy Chinese govt is shifts the financial burden associated with EV adoption to the OEMs.

13823) -0.2755) Pier 80 Today®, the Pre-Q1 Total Debacle Edition. Except for the "marker" cars, nothing. It's been like this since 12/18, when the last of that little wave of ~40 cars (likely NA builds) moved out. We can't find any incoming ships as yet and believe me, we're trying. $tslaQ $TSLA  https://t.co/Z6Dno5doAZ

13824) -0.128) $tsla demand pricing reminds me of hotels and airlines.

13825) -0.128) $tsla china just lowered MIC M3 price by 35,800 rmb under the condition that the orders must be placed before the CNY.  https://t.co/gCX5xcqKuq

13826) -0.2732) 3 years ago I was checking out $TSLA in the mall. Now I can just look in my drive way and hop in any time I want. All cash. Ordered it when I was 18 after making some insane Tesla trades. Life really is whatever you want it to be...  https://t.co/a08Z6vDqS0

13827) -0.6588) MP Block List Update, 7005 accounts. SUBSCRIBERS LISTEN UP! Over the weekend I'm running an experiment which MIGHT stop "bleed through" accounts from showing up in the cashtag threads. This will involve unblocking every account on the list, then reblocking them all. $tslaQ $TSLA

13828) -0.09) @TESLAcharts 1,000 Solar Roofs per week only takes 2,200 installer at this pace (plus reserves + holidays and sick days, so make it 2,500).  Also, at $50 per hour (I guess it varies but is conservative if they need cars, tools, etc) a single installation costs $48,400 in labor.  $TSLAQ $TSLA

13829) -0.7964) Stanphyl Capital results 2017: Fund is down.Mark blames Tesla short position. 2018: Fund is down.Mark blames Tesla short position. 2019: Fund is down.Mark blames Tesla short position.  Anybody sees a pattern here? Mark obviously does not 2020: Mark is shorting Tesla  $TSLAQ $TSLA

13830) -0.128) Here is another in Northern CA featuring the $tsla V3 Solarglass Sheets. Freaking things are huge. Crews are being flown to CA from NY to do installs.  https://t.co/PgHctowC7P

13831) -0.2732) I don't think Tesla could have found a simpler roof to install on...  Still, 11 installers x 11 days at $20 per hour = $19,360 and they are still working on it a *month* later? Wowser...  $TSLA $TSLAQ

13832) -0.2263) THIS DAY IN $TSLAQ HISTORY:  Anxiously waiting for $TSLA delivery numbers to see if @WehbyJammin got it right one year ago:  🤔  https://t.co/Izhv4gjR3I

13833) -0.5106) Reminder to bulls, less than 1 year ago whatever Tesla announces this week would have been a disappointment.  $TSLA $TSLAQ

13834) -0.765) Musk lied about Tesla Solar while Tesla was running precariously short on liquidity and was in desperate need of completing a financing. Shocking.  $TSLA

13835) -0.7269) Norwegian Billionaire Fred Olsen hits 3 year old boy with his Tesla in tragic accident. Car is towed for investigation.  $TSLA $TSLAQ    https://t.co/MUMQLvDqpu

13836) -0.7351) 🤔😳😬🤦‍♂️🤣  $TSLA  Mark Spiegel Covers Half of Tesla Short Position After "Unexpected" Devastating Losses  https://t.co/VPhAUt7ehH via @thirdrowtesla

13837) -0.2023) James Klafehn is one of $TSLA's biggest fans. In November, he flew to California for the Cybertruck reveal. He likely paid $100k or so for his Model X. What's worse, Tesla reliability or Tesla service? (Still, I'm guessing James will remain a Tesla fan.)  https://t.co/OlX5jvA4ex

13838) -0.1548) Expect a slightly delayed delivery report for $TSLA because Elon is likely decided whether or not to count all the deliveries that bled into Jan 2nd... $TSLAQ

13839) -0.1531) There is no other autonomous drive systems company reporting a roadmap, timeline, regular progress report and periodic functional releases that r tangible. No company except Tesla.  2020 will be-the year of Tesla autonomous driving. $tsla

13840) -0.4019) Now how could you lose THAT much in just 6 months?  $TSLA $TSLAQ #TeslaShortsellerIssues  https://t.co/z98dU5mM0L

13841) -0.3182) Haven't heard much about the Tesla Semi lately. Odd...  $TSLA $TSLAQ

13842) -0.7717) $TSLA - Tesla's Q1 And Q2 2020 Will Be Disastrous.  https://t.co/wfB5kvAuDi "Panasonic Corp. .. saw sharp declines in sales of electrified-vehicle batteries in October as demand weakened in the U.S. and China, SNE Research said. Measured by capacity, sales by Panasonic fell 38%"

13843) -0.5994) Full disclosure, I’ve bought a small put position in $TSLA expiring next week. I’m anticipating a deliveries miss (&lt; 106k) that night cause a short term price drop on the back of no MIC deliveries to customers. It’s also the only position I currently hold related to tesla.

13844) -0.8388) #TeslaServiceIssues #ServiceHell $tsla $tslaq "THIS WAS THE WORST CUSTOMER SERVICE EXPERIENCE I'VE EVER HAD IN MY ENTIRE LIFE."  "Tesla did not compensate us for anything at all - for driving 2 hours each way, for waiting in line for 5 hours, FOR THEIR MISTAKE...".  https://t.co/MSYTI1NO5U

13845) -0.2023) #CASHTAGS: Charged up 🔋🚗. @LikeFolio examines whether the $TSLA upside move has the wheels to continue. #Tesla  https://t.co/6qO08WqO1z

13846) -0.128) Hold on, I thought the Growth Story was over   Are you telling me the Short are wrong yet AGAIN?  $TSLA @Tesla

13847) -0.6968) Didn't @elonmusk promise that Tesla's would be able to recognize traffic lights and fraud by the end of 2019?  $TSLA $TSLAQ

13848) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 255 (41.2%) Days left: 364 (58.8%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

13849) -0.2263) Anyone want  to guess the aprox date that Tesla cuts US Model 3 prices?  $TSLA $TSLAQ

13850) -0.6808) Crazy Eddie Memoirs: It’s harder to steal money from a baby than getting Wall Street analysts to raise their price targets. $TSLAQ $TSLA  https://t.co/PFnCxPU1QD

13851) -0.25) This is why it is frustrating discussing $tsla. Even an analyst with one of the highest price targets on the street concedes US M3 sales are likely to slow in 2020. W/o tax incentives and the SR(+) backlog, it’s hard to make a case otherwise.

13852) -0.25) “Because $TSLA sold a bunch of cars ahead of tax credits expiring in key markets, we believe the bears are wrong to worry about what happens after tax credits expire.”  This is what passes for Wall Street research these days.  $TSLAQ  https://t.co/Jfr06Gv2hc

13853) -0.872) Intentionally chose a run of the mill variety tweet &amp; not one of the far worst Muskings some customers receive daily  Of all the aspects of the $tsla fraud &amp; business, the one I got wrong was customers’ willingness to be paddled repeatedly after handing over their cash.

13854) -0.3182) Happy New Year- for those who missed, proof of massive $tsla fraud, on just this one issue.

13855) -0.5994) 6/  Almost everything that happened in 2018 early '19 is because of these bonds. Rebates from Panasonic "or $TSLA will die," the stiffing of suppliers, the liens raining on Fremont, the phone call to @montana_skeptic's boss, "dancing with Chanos," the (2) secret conf calls, etc.

13856) -0.7178) 3/  The gulf between the conversion price and what $TSLA was trading at made Elon act in the most insane way: faked a buyout, went to Thailand with a sub, doxxed and attacked people left and right, did some premarket, um, shopping, etc.

13857) -0.0772) Clearly lot of people buy Teslas because those are much more than EVs.  Legacy Auto/ $TSLAq, If you think just coming up with an EV is going to dent Tesla sales you are in for a rude awakening...  $TSLA

13858) -0.6808) A $1,200 delivery fee to pick up the car from the factory, but the delivery people are unpaid volunteers.  It's a pure tax on the stupid.  $TSLA

13859) -0.879) This is a rather interesting $TSLA #Model3 drive unit failure.   It took a while for the car to die, but finally it did, presumably while parked (at a rest area).   "Things were tried" - SC held off on swapping the drive unit until it was completely dead.   #teslaqualityissues  https://t.co/842wltgAF6

13860) -0.2924) 🚨🚨🚨🚨 HOLY F*CK! THIS IS A HUGE SCANDAL! #NHTSA $TSLA $TSLAQ

13861) -0.3818) via GerberKawasaki: Einhorn’s Greenlight does 14% in a 29% year 2019. That’s after losing 34% in 2018 in a minus 5% year. - looks like they will be fighting off BK soon... That high water mark is just too high. #tesla @elonmusk $tsla $tsla

13862) -0.4767) This is the single biggest scandal in this entire saga, and that's saying something. The NHTSA doctored statistics to make Autopilot look much better than reality. $TSLA and @elonmusk quoted those statistics, which they had to know were wrong, for years. $TSLAQ

13863) -0.5255) Tesla owners please take note: This person stated he intends to cause potential harm....  perhaps even death, to Tesla drivers &amp; others on the roads.  Unsure what state he is in (LE should be notified!) but pls be aware. $TSLA  Such is the depravity of $TSLAQ  https://t.co/zRq5B8QLng

13864) -0.6597) One of the 2 completed NHTSA investigations into a $TSLA Autopilot crash was the Joshua Brown crash in 2016.   https://t.co/PyX16kXM17  https://t.co/XNXoLcW4ia

13865) -0.8126) Stop being bitches and go public with how much you lost shorting $TSLA in 2019, half of fintwit:

13866) -0.1531) I miss old @danahull   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/ID1iwAYwvu

13867) -0.6597) January. 2019. $TSLA stock at $320 or thereabouts and miserable. Flanked by an executive team of barnacles. Pedos everywhere trying to stop me tweeting.  https://t.co/BCeGE4uolr

13868) -0.5386) My mother in law bought $tsla yesterday! She is 86 and gets it!!

13869) -0.1572) Meanwhile a new $TSLA generation of FUD fighters is starting to train in this new year.  TSLAQ has been weakened but they are still there and we must still be vigilant  @Tesla

13870) -0.4215) #TeslaRangeIssues #TeslaServiceIssues $tsla $tslaq "I regret buying my Tesla model X".  "The range the car actually achieves is nowhere close to what is advertised. The calculations are off between 32% to 45% on each and every long stabilized drive."  https://t.co/I1BQXyzVnr

13871) -0.5096) Every other day I discover was blocked by someone I have Never interacted with for simply stating my bullish stance on $TSLA. No wonder they got their asses handed to them thin skin. I will never block anyone for simply disagreeing with me because in trading you’re never 100%

13872) -0.4019) Short sellers of $TSLA  (aka TSLAQ) were down $7.6 billion in market-to-market losses from June 3 to mid-December 2019, per S3 @ihors3

13873) -0.6486) @BradMunchen No clue what the stock does under any scenario.  All I know, is $TSLA had 22k of inventory, produced 105k ish in 4q.  So, if we don't see sales of at least 115k, something is wrong.

13874) -0.6249) how do the family of the two victims in the honda civic, t-boned by a 2016 model S as it came off a freeway and blew through a red light, feel about the idea that some people just need to die in order to allow software testing on the streets? $tsla

13875) -0.3622) 5) $TSLA is trying to sell the MIC M3 at $50K, or the same price of the more costly imported version. I'll eat any short shorts that @elonmusk sends me if there aren't any price cuts down to $35K (factory price b4 13% VAT &amp; import taxes). China will generate ~$600m in 2020 losses

13876) -0.0516) $TSLA - You have been “Musked”.  Elon needed this last second event to make it look like demand is off the charts.  You could have gotten your car last week with no lines and not have to spend your NYE in a cold factory parking lot.  The stock price is Elon’s #1 priority.  $TSLAQ

13877) -0.9417) @lorakolodny It's New Year's Day, so I suppose we can give $tsla PR the day off. After all, a double fatality in your home state is hardly a schedule-disrupting crisis.  If no response by EOD tomorrow, though, we can make reasonable assumptions about whether "Autopilot" was the killer.

13878) -0.296) I'll defer to the experts on if this is the exact same car....or *if* perhaps a recent software update *may* have disabled door notifications on Tesla #ModelX. $TSLA #BrokenWing  https://t.co/CQUrSYSYMJ

13879) -0.5719) If you lost a lot of money last year to short $TSLA, just don't make the same mistake in 2020, AGAIN.

13880) -0.5859) Authorities are still uncertain whether $tsla "Autopilot" is implicated in a last Sunday's double fatality.  Tesla, which surely knows, declined to comment.  Timely reporting by @lorakolodny.    https://t.co/xgqMMnB3xx

13881) -0.7184) Micro fund manager and noted idiot Mark B. Spiegel was forced to trim his Tesla short position to ~10% of assets under management in December as $TSLA shares soared.  Source: his 16-page December client update letter, 10 pages of which were whining about Tesla. Seriously.

13882) -0.5845) This is the problem with echo Chambers  You say something that is false and you get called on it.   Since you're not happy with the answer you block.  Great investment theory!  $TSLA  https://t.co/Y6H7xYVDtb

13883) -0.7087) Despite no formal rocket training,  Musk looked at NASA &amp; said he could make a rocket 10X cheaper!  After 15 years, he has done that.  Goal is now ~100X cheaper!  Late sometimes BUT it’s VERY unwise to ever bet Elon will fail. $TSLA $tslaq  https://t.co/SCbI3IBwJq

13884) -0.4754) If @elonmusk could be bothered to deal with such small fry as @markbspiegel he could totally destroy him in court for this libel. Stating a company is committing ‘major league fraud’ is not sensible unless you have evidence to support it, which we all know he doesn’t. $TSLA  https://t.co/CXRwb8dF5J

13885) -0.4019) Narrator: Tesla is going to lose money this year and SpaceX blew up two of their ships. $tsla $tslaq

13886) -0.6249) @MikeFos88218598 @BarkMSmeagol @S_Padival @SsPaperclip @NotThatTesla @PJHORNAK @timseymour @elonmusk @CNBC @SteveHamel16 @AlterViggo @Rec1pr0city It makes sense that those dumb enough to accept $tslaq fraud theories would invest in Stanphyl Capital. This is like the financial version of Natural Selection. Those bleeding cash along with Mark Spiegel will go bankrupt instead of making future investments. $tsla #tesla

13887) -0.802) $TSLA may have been on Autopilot in California crash which killed two  https://t.co/wBrJQHJGY2 via @Guardian

13888) -0.1759) Likely effects when $TSLA is inevitably (eventually) added to the S&amp;P500: (2020!?)  Stock appreciation ~5-20%.  Added stability to the stock price during negative times.  $tslaq. 18/11  https://t.co/e0EgbTy6Am

13889) -0.1513) #Tesla &amp; @elonmusk have utterly destroyed the concept of a supercar. The list of fastest road legal cars to 60mph is laden with $500k-1million sports cars. In 2nd place sits a family saloon that your kids can play Beach Buggy &amp; farts sounds on at a fraction of the price.  $TSLA  https://t.co/WkWT9DAESd

13890) -0.9313) My $TSLA 2020 prediction: the rising FSD death toll will force the NTHSA to do “something”. That something will be requiring changing the verbiage from FSD to assisted auto pilot. Or something. Pure semantics. TSLA will charge same price, lemmings will pay, die, kill at same rate

13891) -0.5499) Hard to believe this dumpster fire still has clients. $TSLA #Tesla #StanFAILCapital  https://t.co/sVTwxEtfx2  🤡💩 $TSLAQ 💩🤡  https://t.co/jRwmjSBCVU

13892) -0.1759) Stanphyl Capital down another  11.4% for the month of December 2019! 😢😢 Let's hope 2020 is a bit better? 🤷🏻‍♂️  $TSLA  cc @S_Padival @SsPaperclip @BarkMSmeagol @NotThatTesla @PJHORNAK @timseymour @elonmusk @CNBC @SteveHamel16 @AlterViggo @Rec1pr0city    https://t.co/HTa6aygQi9

13893) -0.3425) Tesla reported a car stolen from their lot, but can't pinpoint the day or even week it occurred. They without evidence accuse a specific person of having stolen it due to a known security flaw. 🤔 $TSLA $TSLAQ  https://t.co/vzHRWbfHPA

13894) -0.296) "Tesla will have over 1 million robotaxis on the road next year" -Elon Musk, 22 Apr 2019  Days elapsed: 254 (41.0%) Days left: 365 (59.0%)  Robotaxis on the road: 0 (0% of target)  Robotaxis missing: &gt;1,000,000  🤖🚖  #Tesla $tsla $tslaq

13895) -0.7896) Got to give it to @CGasparino. He does write quality articles for @FoxBusiness !   However he did forget to include @Nestle Nestle as a loser for their massive drop in Hot Pocket sales due to Shorty Bankwupcies!  $TSLA   https://t.co/Jz5XlLjhMp  https://t.co/MGc6UiDZpf

13896) -0.8679) Sentry Mode strikes again!  ➡️Vandals attack Tesla!!!  *Where: Strasbourg France  *When: Just before 1am January 1st 2020  *How: With an Car Safety Hammer (emergency glass breaker)  *See resulting damage in accompanying comment  $TSLA @tesla

13897) -0.6597) "NHTSA has assigned its special crash investigation team to inspect the Deadly Gardena Crash car and the crash scene. That team has inspected a total of 13 crashes involving Tesla vehicles believed operating on the Autopilot system."  Hum...  $TSLA $TSLAQ   https://t.co/D7YqHja892

13898) -0.6696) Never bet against Elon Musk in numbers  Stanphyl Capital results Since June 1, 2011: December 2016: SC was up 128% while SP500 was up 87.7% November 2019:  SC was up 73.5% while SP500 was up 179.1% December 2019: So bad that Mark refuses to publish  $TSLA $TSLAQ  @SteveHamel16

13899) -0.128) The Netherlands. They screwed up again: 29,900 @Tesla #Model3 sold in 2019. what happened to the last 100 cars? $TSLA will now go $TSLAQ within 3 months maybe, 6 months definitely. 🤷‍♂️  https://t.co/EkVcYNyBq6

13900) -0.4767) Elon Musk really should hire an employment attorney for unfair work conditions at Tesla.   Forcing a billionaire to work at his own unprofitable company on #NYE. $TSLA  https://t.co/kUF7Ld8Q2a

13901) -0.7003) Executive mismanagement linked to fraud disguised as a Tesla "event" to  deliver cars before midnight.  #Innovation #Disruption   $TSLA  #TheSociopathicBusinessModel #FraudFormula  https://t.co/cWlpuEDnvH

13902) -0.3147) Clear photo of Elon's neck. Clearly the thyroid cancer conspiracy is debunked lol!!  $TSLA $TSLAQ

13903) -0.5994) Look at all the “financially delivered” cars &amp; “channel stuffing” * going on under the cover of darkness 😱   * As alleged by $TSLAQ 😂   $TSLA 🤟

13904) -0.0516) If #Tesla truly is rolling the cars of the factory and into customers hands....are they bypassing the brake test and test drive once again in order to hit numbers? A customer could have a wheel come off or worse when driving home.  $TSLA $TSLAQ  https://t.co/b7wklPKpc1

13905) -0.743) With @elonmusk venturing into China's manufacturing space, Mr. Musk is about to learn the full implications of the dangers of IP infringement. $TSLA $TSLAQ

13906) -0.8979) 3/ Blocking people for lack of “purity of bearishness” is a recipe for disaster. Echo chambers are bad for critical analysis. As $TSLA enters a pivotal year, $TSLAQ should be welcoming such voices to the conversation, not dismissing them.

13907) -0.4019) Look at what story made The Hill....  "The NHTSA probe comes amid the agency's ongoing investigation into another Tesla crash that may be connected to the car’s Autopilot driver assistance system, according to Reuters." $TSLA   https://t.co/fzmF9cRKOQ

13908) -0.7574) BOOM! "The NHTSA... will investigate a fatal Dec. 29 Tesla crash in Los Angeles...  that may be tied to the vehicle’s... Autopilot driver assistance system after a Tesla Model 3 rear-ended a parked police car in Connecticut." $TSLA $TSLAQ #autocrash  https://t.co/8xjxe4gc5O

11420) -0.2755) Even the bulls aren't ready for 2020. TSLA #NotSellingAShareBefore10000

We regard this a positive. Comes down to the rule-based evaluation of VADER.

11494) -0.25) TSLA closes the week 3 cents shy of $800

This is simply a statement, and a positive at that - but knowing this would require the algorithm to have knowledge of the movement of the stock price (and know that increases are positive).

11498) -0.707) I think it's very unwise to sell Tesla. I mean, it's just very unwise. I think there is... there's a tsunami of hurt coming for those who sold their shares. It's going to be very, very unpleasant. I advise people to buy back while there's time. TSLA #NotSellingAShareBefore10000

Very negative, but this is towards the people who have sold the stock. It essentially says to keep the stock.

Examples of wrongly classified neutral tweets:

j=1
sortedDF = df.sort_values(by=['comp_score'])
sortedDF.compound = sortedDF.compound.astype(str)
for i in range(0, sortedDF.shape[0]):
  if (sortedDF['comp_score'][i] == 'neu'):
    print(str(j) + ') ' + sortedDF['compound'][i] + ') '+sortedDF['tweet'][i])
    print()
    j = j+1
Streaming af output blev afkortet til de sidste 5000 linjer.
13549) 0.0) “A brand-new Tesla crashed into a Surrey store front on Friday afternoon, mounting a gas line.  “They were on their way to the Autoplan place,” Surrey Battalion Chief Dave Wyatt said, “and for whatever reason they hit the gas instead of the brake or something.”   $TSLA

13550) 0.0) When a former fanboi friend had The Revelation, he told me ALL his fellow recent engineering grads saw Musk as the epitome of what could be achieved as an “engineer.” The 3 broke the spell for most, because he got them to pay attention and they realized it’s garbage. $tslaQ $TSLA

13551) 0.0) #Tesla $TSLA Closes  $901  https://t.co/TdOBB9S6KL

13552) 0.0387) "Tesla’s runup is one for the record books, but its inability to reach $1000 reveals multiple signs that the party is over."  $TSLA $TSLAQ  https://t.co/2WMyyomqEo

13553) 0.0) Tesla CyberTruck 1:10 RC by @Hot_Wheels  SOLD OUT within 24 Hours ‼️‼️  $TSLA #Tesla   https://t.co/PQZoMW7Ttr

13554) 0.0) forgot to roll my usual $tsla weekly shitstrangle prior to close. drat.  expect $1100 or $600 monday at the open.

13555) 0.0) Who coulda thunk it...  $TSLA #TeslaKillerCemetery

13556) 0.0) Some guys job right now is to pin $TSLA to 900

13557) 0.0) My dad just bet me a signed dollar this thing still has the MOJO to go past $1k before it hit's zero. $tsla $tslaq

13558) 0.0) @ElectrekCo @FredericLambert Why is @Tesla not having any battery supply issues?  ...oh wait, nevermind!  $TSLA

13559) 0.0) Norway🇧🇻: $tsla cars are the most accident-prone, and the cars are the most expensive to repair.   https://t.co/xRnNM03SRa  $tslaq

13560) 0.0) I’m a buyer of $tsla in the 6’s

13561) 0.0) Hey, @CNBC &amp; @SquawkCNBC, it's one thing for Cathie Wood to mislead the investing public about why she sells $TSLA while pumping it, but quite another for you to give her a platform to do so without calling her out for it.

13562) 0.0) Just a reminder that @elonmusk associates with this twerp and so does @bonnienorman $TSLA $TSLAQ  https://t.co/qEQlWrHwIE

13563) 0.0) $TSLA short int is $18.71BN ; 20.80MM shs shorted; 14.65% of float;0.30% borrow fee. Shs shorted down -3.65MM shs, -14.9%, over last 30 days as price rose +64% &amp; down -1.07MM shs,-4.9%, last week. Shorts down -$11.37BN in 2020 mark-to-market losses;-$220MM on premarket +1.2% move  https://t.co/hGuHFTZtxp

13564) -0.0119) You don’t have to warn on Q1 earnings and revenue if you don’t forecast Q1 in the first place.  It is no accident that $TSLA had no forecast for Q1.

13565) 0.0) $TSLA short int is $18.71BN ; 20.80MM shs shorted; 14.65% of float; 0.30% borrow fee. Shs shorted down -3.65MM shs, -14.9%, over last 30 days as price rose +64% &amp; down -1.07MM shs,-4.9%, last week. Shorts down -$1.37BN in 2020 mark-to-market losses;-$220MM on premarket +1.2% move  https://t.co/cGhz8Qjxeg

13566) 0.0) $TSLA 1000+ today? 🤷‍♂️  https://t.co/pNkSIHARtJ

13567) 0.0) Tesla $TSLA bulls, where can we buy this? is this the new Model T?

13568) 0.0) As our blog @Tesmanian_com reported Tesla Model 3 From Giga 3 Shanghai Will Resume Delivery Within 24 hours on Feb 15th :  https://t.co/vginFyPhlL  Now more and more “Home delivery” trucks have been captured recently in China. $TSLA #Tesla #China  https://t.co/laSlCI5czJ

13569) 0.0) One more.  @CathieDWoodood #absurdity $tsla $tslaq  Perspective to where Ark predicts Teslashare price to be in 4 years.  https://t.co/qMiXS549GF

13570) 0.0) Tweeted this around half year ago, mentioned:  “The sentiment is changing now.”  $TSLA was closed at $255 that day.

13571) -0.0085) FUD.   China car sales fell 92% EXCEPT for $tsla.  I know this to be true because... Stock price bro

13572) 0.0) $TSLA has been mum on the Model Y launch thus far.  While I do expect us to get some more information about the car soon, I don't expect $TSLA to really go above &amp; beyond to try &amp; sell it.  Why? They've probably already completely sold out their 2020 capacity (pre-orders).

13573) 0.0) $TSLA Norway A/S owes vendors over USD $800,000 (NOK $7.7 million). Meanwhile, the company's market capitalization remains north of USD $160 billion.  https://t.co/md1FqKmF2K

13574) 0.0) I spy with my little eye something that starts with the letter "i". $tsla $tslaq  https://t.co/VQrZPGDNdd

13575) 0.0) Tesla Gets Go-Ahead to Resume Clearing Forest in Germany | Bloomberg  $TSLA  https://t.co/lqLU8pO9Dt

13576) 0.0) $TSLA “The court's decision is final and cannot be appealed.”  Take that, $TSLAQ!

13577) 0.0) It's OVER!  Let's get that baby built!  $TSLA @Tesla

13578) 0.0)  https://t.co/d2cT0w7dWN - Another Bull vs Bear reaction video feat @CathieDWood of @ARKInvest and... a Tesla "bear".  You guys noticing a trend? I think the bears are all hibernating.  $TSLA @Tesla #Tesla  https://t.co/yA6djf3qbY

13579) 0.0) Decision expected tonight. More information about the deliberations. $TSLA  https://t.co/nTNPePvHjZ

13580) 0.0) @Gfilche @TeslaPodcast If Buffett shorted $TSLA, would you still hold it?

13581) 0.0) @mugenx86 $TSLA was at $300 then.  Now it’s almost $900. Is that 23%?

13582) 0.0) $TSLA after recent DeMark Sequential and Combo sell Countdown 13's  https://t.co/SNxrL2ooX7

13583) 0.0) Tesla has been doing a lot in the way of vertical integration, what are some horizontal integration moves they could make?   What are some product offering expansions would make sense?  $TSLA #Tesla @elonmusk

13584) 0.0) Hey look. More $tsla Solar Roofs made in China. What’s going on here @elonmusk?  https://t.co/1j0m3ZqEeB

13585) 0.0) Who's gonna buy a @Toyota when s/he can buy a @Tesla for cheaper and also cost of ownership is cheaper for the life of the vehicle?  This is where $TSLA is heading FAST   @thirdrowtesla @ValueAnalyst1 @jpr007 @TeslaPodcast @heydave7 @Teslarati @teslanalyst

13586) 0.0) #Tesla shorts  $TSLA  https://t.co/9BNGIGwH2C

13587) 0.0) MUST-WATCH by @LimitingThe  $TSLA #NotSellingAShareBefore10000   https://t.co/KDCNs5YrYw

13588) 0.0) Elon and Larry Ellison purchased $10 million of Tesla $TSLA at $767 last week  https://t.co/UzGMOr0RLd

13589) 0.0) With Y’s arrival, $TSLA now competes in 66% of US market (Cybertruck will make it 84%), ~17MM vehicles in 2019. I now expect TSLA to deliver 760K cars in 2021 (M3 US 300K, S/X 60K, China X/Y 200K, Y US 200K), which translates ~$20/share EPS.  At 60x P/E (1.5x PEG), PT now $1,200.

13590) 0.0) The EPA Has Issued Official Range, MPGe Ratings For The @Tesla Model Y via @forbes  https://t.co/DFhK1ccM5c @TeslaModelY @elonmusk @TESLAcharts $TSLA $TSLAQ #Model3 #ModelY #Tesla #teslaq

13591) 0.0) $TSLA bulls assemble  https://t.co/uVGACwZ9Fp

13592) 0.0) $TSLA Short thesis getting picked apart since last May     https://t.co/uFu3n7A5we

13593) 0.0) People trying to time the market   $TSLA     https://t.co/lwNOc9RJTT

13594) 0.0) If $TSLA keeps going up, the people who bought at $17 will start building their own gigafactories  https://t.co/yBmX0sXxGZ

13595) 0.0) Update from $TSLAQ world regarding $TSLA  https://t.co/4mRiWjcVy7

13596) 0.0) Climate explained simply by Elon Musk. $TSLA   https://t.co/c2o916EAgD

13597) 0.0) MIC M3 Margins secured.  Hey @WallStCynic :  You once asked why $TSLA will build cars in 🇨🇳 if GM% was roughly the same as 🇺🇸. Here is why GM% will 🔺️:  - Local sourcing (batteries being the key piece ) - 🔻costs as scale 🔺️ - Tariffs &amp; 🔻 shipping costs  Short at your peril

13598) 0.0) @QTRResearch $TSLA still goes up somehow

13599) 0.0) At battery day, third row will be the hottest row.  @thirdrowtesla $tsla

13600) 0.0) TF is $tsla doing down after hours

13601) 0.0) Tesla Stock Is Soaring Because There’s More to the Company Than Cars  ☀️🏠⚡️🔋🚗🤖🤩👍🏻  #Solar #Storage #EV #RoboCars $TSLA  https://t.co/PO9i9utvg8

13602) 0.0) Why is electricity in Germany so expensive?  $TSLA's international solar and battery storage deployments will go a long way here...   Germany's expensive electricity makes solar panels and solar roof prime candidates for a quick ROI payoff.  https://t.co/VwqgXx3TWA

13603) 0.0) Tesla + CATL = LFP, Cobalt-free, Prismatic Batteries?! 🤯🔋🇨🇳 $TSLA   https://t.co/n9YNhPnPk2

13604) 0.0) Has @28delayslater posted an updated “days since $TSLA ATH close” sign yet?  https://t.co/DFd9zLNvV6

13605) 0.0) Chart of the Day: $TSLA jumps almost 7% to close above $900 for the first time ever.  https://t.co/uKmXV3GMkw

13606) 0.0) $TSLA:Bitcoin:$SPCE:Ripple

13607) 0.0) Have you sold any $TSLA in 2020?

13608) 0.0) about to go on @YahooFinance talking $TSLA, tune-in!

13609) 0.0) A total of three Teslas registered in Norway today. All are still owned by Tesla Motors Norway, aka possible channel stuffing. I just can't wait till the next boat arrives! $TSLA $TSLAQ  https://t.co/RT04bhSyg0

13610) 0.0) $TSLA - rolling over intraday!

13611) 0.0) @Tesla Had to zoom out to 60% to get every issue with this $TSLA lemon. 24 issues.  Will anyone on the sell-side ask @Tesla for the dollar amount of "goodwill repairs" in Q4?  @skorusARK @CathieDWood  Recommending this stock without an answer is malpractice. So carry on.  Somani Vs  https://t.co/Chiqpbsb24

13612) 0.0) Tesla has a giant new building next to Giga Nevada &amp; we might know what it's for 🚛🔋🔌 “...source told us that #Tesla is planning to use the new building for the production of the Tesla Semi, its all-electric semi truck.”  https://t.co/Bt18ddGm5c $TSLA #EV #TeslaSemi

13613) 0.0) "The same source told us that Tesla is planning to use the new building for the production of the Tesla Semi, its all-electric semi truck."  $TSLA #NotSellingAShareBefore10000

13614) 0.0) Tesla Powerpack Farm in Australia Sees Jump In Revenue, And It's Just Getting Started  $TSLA #Tesla #Powerpack   https://t.co/hTi9a6rAWZ

13615) -0.0) ..4) Competitors’ EVs will launch and fail, given lower battery range and ICE brand taint; 5) ESG funds will get massive flows following strong 2019 perf.; 6) $TSLA Battery day will highlight tech adv. vs peers; 7) Analysts will raise price targets to &gt;$1K - 3/4 holds &amp; sells.

13616) 0.0) $TSLA within 5% of all time highs.

13617) 0.0) Some more Tesla with @hatemdhiab included. $TSLA  https://t.co/dP9wHpj8OO

13618) 0.0) Tesla’s work at Giga Berlin may continue as early as next week, according to Brandenburg Minister of Economics Jörg Steinbach in a recent interview 🏣🔋🇩🇪  https://t.co/ZupkDmGRGm $TSLA #Tesla #EV #Giga4

13619) 0.0) $tsla AutoCrash doing its thing.  Also, I’ve never seen weekly 110% money calls trade at 2.5x the price of 90% money puts.  Typical skew is the other way, but never that extreme.  Don’t know what it means, other than it really is a retail driven show.

13620) 0.0) China Made Tesla Model 3 Standard Range and future models such as Long Range RWD and MIC Model Y will most likely use cobalt-free and prismatic LFP cells from CATL. Delivery period for these battery is July 1st, 2020-June 30th 2022.  #Tesla #TeslaChina #CATL #GigaShanghai $TSLA  https://t.co/uoY7nlLLDn

13621) 0.0) #WSDT Day 1/6. Green +$2.1K on $TSLA long. Let’s go Team @ABiggzHD! @meirbarak @TradenetAcademy  https://t.co/dGmuo0tXiW

13622) 0.0) $200 on $TSLA  $600 day trading $TSLA today  https://t.co/JyhknVnkrR

13623) 0.0) Every $TSLA Price Target raise won’t last over 72 hrs  (most won’t even last a trading day)

13624) 0.0) These will be mine in a couple of years. #tesla #roadster #Cybertruck $tsla

13625) 0.0) SECRET TEZZLER LOGO PATTERN TELEGRAPHED BY GOOGLE BUY BUY BUY $TSLA  https://t.co/IZh16NAmD9

13626) 0.0) If $TSLA closes near its highs of the day, they are 100% going to gap it past $1000 tomorrow

13627) 0.0) I am studying up for my next $TSLA trade.  https://t.co/HyPxlbBpPj

13628) 0.0) $TSLA Jan2021 1300 puts opened for 15.2M in premium

13629) 0.0) TESLA PUNCHING THROUGH $900 $tsla  https://t.co/ViLG2MyxT9

13630) 0.0) Check out Tesla surging above $900 after Piper Sandler raised its price target on the stock to $928 from $729. $TSLA  https://t.co/qFwsDe82LG

13631) 0.0) Am I reading this title correctly?!  More to $TSLA than [just] cars?  🤔🤔🤔  Could 2020 be the year financial media starts understanding Tesla?  🤯🤯🤯

13632) 0.0) $TSLA 192,482 total calls traded in the first hour

13633) 0.0) Who thinks $TSLA $1000+ this week?

13634) 0.0) $TSLA with both DeMark Sequential and Combo sell Countdown 13's today.  Could see weekly Sequential Countdown too next week.  https://t.co/d4s4Ocm9SI

13635) 0.0) Let the games begin. #tesla $tsla #stocks #Bullish

13636) 0.0) Has there ever been free-er money than the $80 between $TSLA at $920 and $1,000?

13637) 0.0) So now we’re buying $TSLA because of...SolarCity?!  https://t.co/yZni69Fx8c

13638) 0.0) When u have some $tsla shitcalls that you probably should sell at the open but you're going to be in on the subway until 945  https://t.co/piPz42I5G1

13639) 0.0) Tesla $TSLA up $62 bucks pre market or 8 Somebody always knows something

13640) 0.0) Live feed of me talking to my IBKR portfolio monitor.  $TSLA  https://t.co/P8l8imERas

13641) 0.0) Text my kid that $TSLA was up another 60 in the pre-market. Didn’t expect this reply. #StockTextstoDad  https://t.co/RyNYd9LPGe

13642) 0.0) Hmmmm, yesterday on @MarketRebels   02/18/2020 10:36:05 AM  -TSLA Bullish Call Buying with stock $835.99 - Buyer of 4,400 28February 1,000 calls bought for $8.50 to $14.00 #GiddyUpUpUpUp, $TSLA now $920.25  https://t.co/hGMuq678oF

13643) 0.0) “Eventually the @SEC_Enforcement will look into the premarket trading activities of #Tesla. Not today. Not tomorrow. Some day though they'll realize they can't look away any longer.” $TSLA(s)  https://t.co/yYDd2zTL3X

13644) 0.0) 2022 $TSLA production  USA            900K  China         600K Germany   500K Total           2M in 2022  Believe this is possible after reading tesla's plan to start giga Berlin with 10K model y's per week just in phase 1... giga Berlin will  prob eventually produce 2M anually.

13645) -0.0276) "Tesla’s 34% decline in U.S. revenues in the fourth quarter follows on the 39% year-on-year decline reported for the third quarter, and shows that this company has no commercial momentum in its largest and most important market."  $TSLA $TSLAQ  https://t.co/rWpbWjqiWS

13646) -0.0176) " $tsla soars up 14% in two days on news that Billionaire @elonmusk not found guilty for setting Taycan on fire " - Media Today  https://t.co/lpJVqFZvAb

13647) 0.0) Tesla Giga Berlin’s Phase 1 Has Model Y Production Target Capacity Of 10K Per Week  $TSLA #Tesla #Germany #GF4    https://t.co/NX3gKje98j

13648) 0.0) Not a #ShortBurn but a #SlowCooking of the century  $TSLA @Tesla

13649) 0.0) 10 days after the first ship has arrived (and 1 after the second).  I don't expect much from NL this quarter, but I can't get over these numbers.  $TSLA $TSLAQ  https://t.co/C06aqlj2m9

13650) 0.0) $TSLA is rocking premarket over $900; will #Tesla flirt with $1,000 today?  https://t.co/37t6n72lmk

13651) 0.0) Piper raises price target on Tesla to $928 from $729 🏣🎯  https://t.co/ezJWQpatJp $TSLA #Tesla #EV  https://t.co/goymXiMl2P

13652) 0.0) Nobody is selling $tsla, not the cars, not the stock

13653) 0.0) Teslas market cap and Europeans sales. Other cars are EU + EFTA + UK (source ACEA be). How many bulls realize the discrepancy between “take over the world” talk and reality? $tslaq $tsla  #absurdity  https://t.co/W0zmUwd5IU

13654) -0.0258) $TSLA 924$ premarket, only 270$ until first target from the 700$ entry. Working slightly faster than anticipated, crazy huge trade already.

13655) 0.0) Tesla leading the way: $922.43 +7.29%  $TSLA  https://t.co/EcQAFYngRa

13656) 0.0) The future of Car insurance. $TSLA  https://t.co/1oa03IwTGP

13657) 0.0) $TSLA - 1/@elonmusk @ZKirkhorn,  $TSLAQ was way ahead of you guys.  We saw the impact of #coronavirus to the entire supply chain especially consumer electronics.

13658) 0.0) Massive new $TSLA upgrade by Alex Potter with Piper Sandler! I’ve heard his analysis before, and he’s got deep insight into the technology and upcoming solar and storage market.

13659) 0.0) Is this why people are bullish about $TSLA?

13660) 0.0) Within 10 months of time, Adam Jonas from MS gave $TSLA a $10 bear case to a $1200 bull case   Do u know that’s a 12000% gap in between?!

13661) 0.0) $TSLA Possible Hyperwave structure

13662) 0.0) $TSLA who thinks it’s gonna happen 👇🏻👇🏻👇🏻👇🏻

13663) 0.0) (1) if $tsla doesn’t get above $1,000 this week it never will.  (2) $tsla will get above $1,000 this week.  Not investment advice

13664) 0.0) $TSLA Jonas report snippet of absurdity.  His (MS's) bull case assumes $TSLA captures ~30% of global EV market, including supplying EV powertrains.  https://t.co/k2LnWoccnJ

13665) 0.0) Rumor of Tesla Brazil 🇧🇷 Gigafactory Project Approaching by The Government  $TSLA #Tesla #Brazil    https://t.co/ijnssqgx55

13666) 0.0) $TSLA 1000+ this week? The squeeze could be epic.  https://t.co/twTkJxSwOv

13667) 0.0) $tsla #Tesla Holy macaroni.  What's happening after hours? $1K tomorrow?!  https://t.co/fk53MpqRba

13668) 0.0) $tsla 10k review.....  Tsla’s business model is vaporware and financial arrangements.

13669) 0.0) New Inverse ETF $TSLA 877.40 AMC. 900+ tomorrow? New ATH this week.. 😳🤪

13670) 0.0) Vroom vroom, Tesla took off again today. Are our traders buying in on the hype? $TSLA  https://t.co/OFkwRaNKwt

13671) 0.0) The $TSLAQ #DumDums after “I’m going all in on my $TSLA short!” since crossing $400  https://t.co/PBsRBFp6Th

13672) 0.0) Tesla is ramping new products faster and faster, but still pale in comparison to Morgan Stanley's @BullAdamJonas/@BearAdamJonas achieving their $TSLA bull targets faster and faster  https://t.co/OGTyK7ONqV

13673) 0.0) $TSLA closes at $858.40

13674) 0.0) breaking: $tsla to cease all auto-related operations and allocate resources to capital markets chicanery. $tslaq

13675) 0.0) $tsla closing prices, this week:   2/18: $863 2/19: $942 2/20: $1050 (intraday high $1111) 2/21: $1000.01

13676) 0.0) $TSLA is currently $114 below its 52 week high

13677) 0.0) This is asinine. Morgan Stanley is really drinking the Fed-bubble Kool-Aid here. $TSLA $TSLAQ   https://t.co/I9Z5IaCZHn

13678) 0.0) I can see more &amp; more Wallst analysts will raise their $TSLA price targets from the originally “professional” ones.  Stay turned ppl (with 🍿)

13679) 0.0) Starting with the shorts $TSLA $TSLAQ  https://t.co/WmptJO3Qmk

13680) 0.0) New: 966 pages of records regarding the relationship between CAEATFA and its vendor Blue Sky Consulting Group, which received at least $700K in CAEATFA government contracts—and also handled $TSLA's subsidy applications to CAEATFA. (Note: large file.)  https://t.co/oz9bKqYHfq

13681) 0.0) Only +5% today? What is this? A stock market for ants? $TSLA #TESLA

13682) 0.0) The end of ICE is closer than you think.  $TSLA #TeslaKillerCemetery

13683) 0.0) does $tsla source anything from China?  $tslaq

13684) 0.0286) Does Jonas know that Tesla is a fraud? Of course he does, that's been clear since the "Secret Conference Call" last years. He also has a huge income to protect inside an incredibly corrupt system. So there's no choice but to be #complicit. $tslaQ $TSLA  https://t.co/6Qbfesi5C2

13685) 0.0) Snapped these pics of $TSLAQ trying to decide what to do as $TSLA is up $40 premarket  https://t.co/lrHAp8qVaU

13686) 0.0) " $tsla soars up over 5% pre-market on news that Billionaire Elon Musk can toss shade at Billionaire Bill Gates" - the news this morning  https://t.co/ZJhGkYA4Ak

13687) 0.0) Was Market Awaken   Now Wallst Analysts Awaken   $TSLA

13688) 0.0) Tesla’s biggest bull explains why she nearly doubled her price target on $TSLA to $7,000:  https://t.co/dqjkNOww43

13689) 0.0) Ill have to wait in the parking lot til 930 to sell my $tsla calls first lol  https://t.co/6Qy4QXYX2E

13690) 0.0) Customer receives lemon from $TSLA, returns lemon, purchases new  Tesla gives him a cheaper car, refuses to refund difference  Tesla doesn't transfer title to customer, decides to rescind sale w/out justification, takes back the car, sells it again  All in a day's work.  Bai vs.  https://t.co/WkGTdO8GBj

13691) 0.0) A famous hedge fund bought Tesla stock before it surged 91% this year. It potentially raked in over $1.5 billion from the bet |Businessinsider   😳😳😳  $TSLA  https://t.co/HxnHwE0J7s

13692) 0.0) Cathie Wood is on CNBC saying $TSLA will soon build a second factory in China...

13693) 0.0) “This would include...the potential for Tesla to supply powertrains, including batteries and electric motors, to other auto manufacturers.”   This is something I believe will eventually happen. Bring on the GIGAs! $TSLA #Tesla #GigaTexas   https://t.co/02Ww1YQVcF

13694) 0.0) Our bullish target is Mars.  Our bearish target is 0.   $TSLA up 7% pre-market.  https://t.co/RiEckSCnUT

13695) 0.0) Tesla Bull Case to $1200 from Morgan Stanley $TSLA

13696) 0.0) $TSLA to open green on news that Norman will soon be driving HW3  https://t.co/r85ICqJi3c

13697) 0.0) I guess China is not ONLY building coal plants abroad!  $TSLA   https://t.co/COLfieEH8K

13698) 0.0) @vincent13031925 $TSLA PT RAISED TO $500 AT MORGAN STANLEY; RAISES BULL CASE TO $1200

13699) 0.0) Morgan Stanley Raises PT On Tesla To $500; Raises Its Bull Case Now Sees $1200 PT $TSLA

13700) 0.0) The same monkey who said he has a $10 price target on  @Tesla is saying he now has a $1200 price target on $TSLA. How is he even relevant?   https://t.co/5OUk2a0psp

13701) 0.0) Bernstein Toni Sacchonaghi Maintains Market Perform on Tesla, Raises Price Target to $730 from $325  $TSLA

13702) 0.0) $TSLA PT RAISED TO $500 AT MORGAN STANLEY; RAISES BULL CASE TO $1200 $TSLAQ

13703) 0.0) Bernstein’s Toni Sacchonaghi raises $tsla price target by 125% to $730 from $325.

13704) 0.0) $TSLA PT RAISED TO $500 AT MORGAN STANLEY; RAISES BULL CASE TO $1200

13705) 0.0) $TSLA PT raised to $730 from $325 at Bernstein - keeps Perform rating

13706) -0.0202) I’ve been reliably told $TSLA is completely sold out, fully production constrained, is operating two roaring factories versus only one previously, and yet Jonas says we should expect a “very challenging Q1” - why?  https://t.co/nu7rJOzDtJ

13707) 0.0) Somebody knows something. $TSLA   https://t.co/mLqDJCM0DE

13708) 0.0) The one thing the mkts are not taking into account (Apart from everything) is a big revolt against Xi and his pals over this. $TSLA $TSLAQ

13709) 0.0) Tesla in talks to use CATL's cobalt-free batteries in China-made cars - sources 🔋🔋🔋 “#Tesla has been talking to [CATL] for more than a year to supply LFP batteries that will be cheaper than its existing batteries by a ‘double-digit percent,’”  https://t.co/bG9IHIIHFp $TSLA #EV

13710) 0.0) Tesla In Talks With CATL To Use Cobalt-Free Batteries In Made Cars - RTRS Citing Sources  $TSLA

13711) 0.0) Buy more $TSLA

13712) -0.0256) $TSLA little tricky but playing against the 819 pivot. Failed to make a higher high. If &gt; 819, 863 gap fill comes. If still hold a lower high, 650-682 should trade before going higher. Fresh 4h unfilled imbalance at 650(grey box area on chart) &amp; 38.2% fib support at 680  https://t.co/9vFeQwbeMu

13713) 0.0) Postcard from the Real World. $tslaQ $TSLA &gt;series gallery  https://t.co/2SuIMxSeHf  https://t.co/JaHzOsnZlR

13714) 0.0) The nitwits at the SEC NYC offices can go f’ck themselves. $TSLAQ $TSLA

13715) 0.0) @CGrantWSJ Foremost on the list of things that do not keep Bill Gates awake at night...  $TSLA $TSLAQ

13716) 0.0) @elonmusk @tesletter Unlike the conversations we had - you, me and Deepak.  $TSLA

13717) 0.0) As a colleague's wife just said: "That’s exactly who Elon Musk is." $tslaQ $TSLA #PetulantFake  https://t.co/GDo3YE5fKB

13718) 0.0) Here's a chart showing Tesla's revenue by quarter over the past 11 years: $TSLA @elonmusk  https://t.co/nZOYC0yEF3

13719) 0.0)  https://t.co/JmAOkEpwSS - New video. How Many Vehicles Will Tesla Sell In 2020?  $TSLA #Tesla  https://t.co/XiMCyBxY96

13720) 0.0) $tsla  “ A driver crashed a Tesla into a Subway in Woodland on Sunday.  The driver of the Tesla told police the car malfunctioned, causing it to hit the building. Officers said impairment by drugs or alcohol was not a factor in this crash.”   https://t.co/6N1sVybqjA

13721) 0.0) Tesla likely has 100k+ Model Y preorders already, and all it says on the order page:  “First deliveries begin in March 2020”  What do y’all make of this? 🤔 $TSLA

13722) 0.0) @CGrantWSJ $tsla has been unaffected. Elon said so

13723) 0.0) $tsla won’t be impacted, though -   https://t.co/7tTBzkO8C3

13724) 0.0) The paint job on a brand new $tsla .... Id return this car if it was mine. Random guy next to me at a Royal Farm store. #teslamodel3  https://t.co/ZlbKIgqWVn

13725) 0.0) $TSLA Model Y will compete in the Crossover segment, which is 41% of the US light vehicle market.  Model 3 competes in the Midsized cat. (10% SOM), X in the SUV cat. (8% SOM), and S in the Luxury cat. (5% SOM). Pickups are 17% SOM.  Vast majority of Y volume will be incremental.  https://t.co/BxadcHTrkQ

13726) 0.0) Geeze... What other "enterprise" routinely uses submarines and tunneling machines as a regular course of business?   #elchapo $TSLA $TSLAQ

13727) 0.0) @WallStCynic @rocket_jenross @ferrajr @CARandDRIVER @Tesla @elonmusk For once, a $TSLA rabbit hole comes back to relevance.  This article discusses “Wet Nellie” the Bond film’s submarine that was acquired by Elon.    Spoiler - It’s a wet submarine and requires full SCUBA gear for the operator.    https://t.co/zqrZOesHT5

13728) -0.0258) The $tsla Model S/x/3 have been lifecycle unprofitable &amp; CF negative  This despite ~30% of consumers paying full freight for a product (“FSD”) that doesn’t exist, massive infrastructure underinvestment in, &amp; wonton disregard for laws &amp; safety  Where are profits coming from again?

13729) 0.0) Tesla includes third-party charging stations in car navigation  $TSLA #Tesla   https://t.co/7msskUaRZM

13730) 0.0) Tesla teardown finds electronics 6 years ahead of Toyota and VW | Nikkei Asian Review  (tesla has a moat? 😳)  $TSLA   https://t.co/ewR1xdZCQQ

13731) 0.0) How many millions of people are saving up for their FIRST Tesla? $TSLA

13732) 0.0) German activists occupy the $TSLA forest.

13733) 0.0) 4) What was the sticking point for RVGs? @4xRevenue is the expert here, but I bet $TSLA is under-reserving despite ASP declines. @PwC_USA emphasizes the reserves were only $639m ($93m of that being "short term") &amp; referred readers to Note 2 for more details.

13734) 0.0) Police: Driver whose Tesla crashed claims it malfunctioned.   Police in Southwestern Washington city say a Tesla vehicle has crashed into a store Sunday afternoon.  $TSLA $TSLAQ   https://t.co/DrwOFm3Wvk  https://t.co/qZunHw1BEL

13735) 0.0) $tsla. Not 6 years. Infinite

13736) 0.0) Nikkei Business Publication released a teardown of Model 3 and ... realized that Tesla is at least 6 years ahead of Toyota &amp; VW, or any other competitor.   HW3, Tesla’s FSD computer, could “end the auto industry supply chain as we know it”. @elonmusk $TSLA  https://t.co/ewvx0ZxWdO

13737) 0.0) $TSLA INC : INDEPENDENT RESEARCH RAISES TARGET PRICE TO $400.00 FROM $370.00; RATING SELL

13738) 0.0) $TSLA - how are you guys doing, @elonmusk ?  Any supply constraints?   How’s your supplier % return rate?  Did you guys check in with them?

13739) 0.0) The Tesla effect... “As GM downsizes overseas, the company is pouring money into electric vehicles in a bid to catch Tesla Inc.” $TSLA  https://t.co/RVlspaOJxA

13740) 0.0) More &amp; more Made-in-China Model 3s are on the way transporting from Teala Gigafactory 3 Shanghai to different delivery centers in China  $TSLA #Tesla #China #Model3   For More Detail:  https://t.co/JIMNdxMusE  https://t.co/VjASuplIqD

13741) 0.0) Umm... Who wants to tell them? $TSLA

13742) 0.0) ...because $TSLA got the bailouts before the recession hit. See also USDOE ($465M+), United States Congress (~$1.5B), CAEATFA (&gt;$220M), New York State (~$1B), Shanghai regional government ($46M), German government (pending...).  https://t.co/ICUeu10A7Y

13743) 0.0) Tesla CEO @ElonMusk is changing your perception of transportation  EV, FSD, Autonomous driving, Robotaxi, Tesla Network, all these were unfamiliar to us 20 yrs ago, but today it has become real, &amp; in 10 years it will become commonplace.  $TSLA #Tesla  https://t.co/MxYirujb4V

13744) 0.0) Tesla just released this solar install montage as part of their "No Experience Required!" recruiting campaign...the first house shown is one of the "Solar Testing Structures" at Fremont, before it was covered by a tent. $tslaQ $TSLA #FremontFollies  https://t.co/rHDYxQMKdk …

13745) 0.0) BREAKING: LEADING $TSLA ANALYST @VALUEANALYST1 HAS RAISED PRICE TARGET FROM $2,500 TO $10,000.

13746) 0.0) Tesla's software prowess is underrated.  $TSLA #NotSellingAShareBefore10000   https://t.co/MyhaCxzdcw

13747) 0.0) A TSLAQ member from China who sold naked calls ....   Consequence ??   Answer: -$680,592.89 when $TSLA at $636  https://t.co/nPv7kBQX6q

13748) 0.0) "Many investors look to utility companies as conservative, low-volatility, non-cyclical investments"  $TSLA #NotSellingAShareBefore10000   https://t.co/HbrlqeNTFy

13749) 0.0) Tesla Giga 3 Shanghai Resumes Normal Operation Amid Ongoing Expansion.   Meantime the MIC Model 3 delivery will become normal.  ⁦@elonmusk⁩ $TSLA #Tesla   https://t.co/B0KERAaaY3

13750) 0.0) Tesla Gigafactory 3 Shanghai Resumes Normal Operation Amid Ongoing Expansion. w/ [Video]  $TSLA #Teala #China #GF3   https://t.co/UG5aJUrl9G

13751) 0.0) "A number of owners with older versions of the Tesla software have reported receiving warning messages in their vehicles alerting them that certain key features could be disabled if the software isn't updated by May 1."  $TSLA $TSLAQ Tesla Forces Updates  https://t.co/QTrHAxBIz7

13752) -0.024) @NickyTaleb It appears that, for most problems, this car is past its warranty period. However, the invoices are a useful antidote to those claiming $tsla cars, in contrast to ICE vehicles, have minuscule maintenance &amp; repair costs.

13753) 0.0) "No experience needed" is $TSLA's motto - from CEO to roof tilers, from assembly-line workers to CFO.

13754) 0.0) ✅Breaking News✅  MIC Tesla Model 3 From Giga 3 Shanghai Will Resume Delivery Within 24 hours on Feb 17th  Game on ppl 👊🏻👊🏻👊🏻  $TSLA #Tesla #China #MIC #Model3 #GF3   Detail info:  https://t.co/vginFyPhlL

13755) 0.0) Is "500k" the South African way of saying "367,500"?  $TSLA

13756) 0.0) GA4 has switch from 3s to Ys. We expect the model Y deliveries to being very soon.  $TSLA

13757) 0.0) New @Tesla Fart Mode auditions  Listen and vote on the next ones to be added.  @elonmusk any preferences?  $TSLA

13758) 0.0) @elonmusk Talking about simplified application form...  $TSLA  https://t.co/BvlG5SIaEw

13759) 0.0) $TSLA So who's forking over an extra £12k or €13.5k for a Model 3 /w 10km less range? Also, can @Lebeaucarnews or @CairnEnergy explain how this is possible since @VWGroup   is using supposedly more expensive Prismatic from CATL?  https://t.co/8VYXCWaiVU

13760) 0.0) Live feed of Zach and his accounting intern deploying $TSLA cap raise to refill the hole $TSLA is digging for itself in Q1.  https://t.co/vQCHVehOB5

13761) 0.0) Tesla In App Purchase As Revenue Driver 💰 , Model 3 Rear Heater Seat Add-On  $TSLA #Tesla    https://t.co/cGpZdbjrVO

13762) 0.0387) I wAS tOLd bY ReLIabLE SoURcES liKe #Tesla BuLLs tHAt ID.3 haS SW iSsUEs bC nO One bUt $TSLA kNOWS sW aND ID.3 wON't CoME uNTiL sEP, NO?  $TSLAQ

13763) 0.0) Among others, this is one reason why it makes sense to simultaneously start and build as many Gigas as possible.  $TSLA #NotSellingAShareBefore10000

13764) 0.0) Before the SEC's subpoena to $TSLA, remember, there was this correspondence:  https://t.co/8hwO3bqcZA

13765) 0.0) “Ironically, some of the company’s requirements have been slightly—and at times flagrantly—ignored by Musk himself” $tsla $tslaq  https://t.co/wsj5BuTAG1

13766) 0.0) $TSLA daily/hourly. Inside day on Friday after big move on offering news. Key pivot this week is 785 to hold. Break that fade back to 760 then 745. Break over 813 heads to 835+.  https://t.co/rswaeFs5PV

13767) 0.0) $tsla 2/15 afternoon, Chinese president xi Jin Peng wanted the big cities to release more car lincenes to boom the enconomy .  Currently there are eight more big cities has the car lincense control besides Shanghai. This will be big for Tesla sells in china.  https://t.co/iVT0tteb5q

13768) 0.0) 'That dude didn't make it.' I said, 'What are you talking about?' He goes, 'That guy—it sheared the whole roof off his car.'"  $TSLA #TeslaAutoPilotIssues   https://t.co/YLju87QBdX

13769) 0.0) @lorakolodny Why patent a STEERING WHEEL if $tsla cars will drive themselves any day now?

13770) 0.0) $TSLAQ watching $TSLA investors on Twitter.     https://t.co/qZndKSNP6l

13771) 0.0) "It has the same range as my Tesla" (Taycan) $tsla  https://t.co/RN7o8vFBz1

13772) 0.0) This almost invisible figurehead at Tesla has landed $116 million for looking the other way, so far.  $tsla  https://t.co/FWvMcL2MmP

13773) 0.0) So here we are   Giga Shanghai is early   Model Y is early   Navigate on Autopilot is a little late  $TSLA is at $800

13774) 0.0) Why does Elon Musk still tweet about Tesla range? $tsla $tslaq #Tesla

13775) 0.0) It's a day ending in "y," so $TSLA was just sued for racial discrimination again. Docket soon.  https://t.co/N3xTpOBi9S

13776) 0.0) $TSLA - Makes sense that Cathie Wood was talking about Another Chinese Gigafactory today, she wanted to prop it up as her peeps were selling it to retail buyers reading her tweet about another Chinese Giga!

13777) 0.0) Waymo has a commercial autonomous taxi network today in Phoenix  Aptiv/Lyft have a commercial autonomous taxi network in Las Vegas today   GM/Cruise has a beta test of a commercial autonomous taxi network today in San Francisco  $TSLA robotaxi network does not exist

13778) 0.0) Will they rule the $tsla close at 800.00 or 800.03?  A zero close would have washed 50,000 options without assignment.

13779) 0.0) Me when the $TSLA Twitter realizes I don’t own a Tesla yet  https://t.co/sg2NfMEfrA

13780) 0.0) Tesla Network can revolutionize insurance: Moody's  $TSLA #Tesla   https://t.co/At6GkG0b1j

13781) 0.0) $TSLA a classic pin  https://t.co/Ir5JP3eso8

13782) 0.0) “We’re going to be using Model 3s, Model Xs &amp; a brand-new 16-passenger electric transportation vehicle that @Tesla is designing right now for us. Actually, I think it’s designed. I think they’re testing it right now.”—Chris Meyer (@LVCVA) ⚡️🎰  https://t.co/D5fk8oGhLz $TSLA #Tesla  https://t.co/0eCRLKc7qQ

13783) 0.0) Is this happening yet?  $TSLA $TSLAQ

13784) 0.0439) Not worth speculating on how $TSLA arrived at the decision to disclose the SEC investigation.  Focus on the act of disclosure itself.  It tells us the latest investigation met - and exceeded - a pretty high internal standard for what's so material a risk it has to be disclosed.

13785) 0.0) Roses are red Baseball is a sport I can't afford flowers Because of my $TSLA short

13786) 0.0) Happening now in France 🇫🇷   $TSLA #Tesla

13787) 0.0) Tesla Giga Berlin update:  Oder-Spree reorganizes according to Tesla Gigafactory 4 needs  $TSLA #Tesla #GF4 #Germany  https://t.co/wW3owapTdt

13788) 0.0) As we reported couple days ago with tip from @Gfilche CEO @HyperChangeTV, Tesla could possibly acquired a new lithium-ion battery cell startup in CO  $TSLA #Tesla

13789) 0.0) Quick reminder ppl  Tesla stores in China will reopen the coming Monday Feb 17th  $TSLA #Tesla #China   https://t.co/sIky7GHnAI

13790) 0.0) $TSLA still consolidating... where does it go from here?  https://t.co/CMp6EPTT05

13791) 0.0) “This is a traded stock, it’s not an invested stock,” NYU’s Aswath Damodaran says about $TSLA. Here’s what market pros have to say after Tesla’s $2 billion stock offering.  https://t.co/lOvH9hwnUb  https://t.co/r3Ug4borN1

13792) 0.0) $TSLA Ascending Triangle pattern it appears  https://t.co/ioDkyilt3I

13793) 0.0) imagine thinking that $tsla would close red today

13794) 0.0) Gives one a new perspective on the vast influence of $tslaQ, doesn't it? $TSLA

13795) 0.0258) Mercedes used to be an engineering marvel, even called “over engineered”. Financial greed in last decades brought down the company to where it is now. ICE era is ending one way or another. $tsla

13796) 0.0) $TSLA added @ $775-778

13797) 0.0258) An autonomous taxi network should provide #Tesla with capital to invest in factories to produce more vehicles, which should lower production costs and expand Tesla’s autonomous fleet.  More on Tesla's potential trajectory:  https://t.co/bxWimj6Yw9 $TSLA  https://t.co/fMhCup0rZM

13798) 0.0) Tesla vehicle deliveries each year:  2020: 500,000+ (official guidance) 2019: 367,500 2018: 245,240 2017: 103,097 2016:  76,295 2015:  50,580 2014:  31,655 2013:  22,477 2012:   2,650  $TSLA #Tesla

13799) 0.0) my new $TSLA ebook comes out tomorrow at 8 am - keep an eye out  https://t.co/2jgHd23pxL

13800) 0.0) $tsla upgrades today???

13801) 0.0) $TSLA Secondary priced at $767

13802) 0.0) @lovecarindustry @TeslaM3Spain @TeslaClubItaly @TeslaClubBE @TeslaClubFrance @TeslaEu @Tesla @hiltonholloway @jrendell @Daniel_AFP Beware of selective data. @BMW Group sold a total of 1,041,011 units in EU in 2019. How many did $tsla sell?

13803) 0.0) $8B in the bank $500M-$1B FCF/Q  Out of money in Q3?  $TSLA   Keep thinking that

13804) 0.0) Investors have given up on predicting $TSLA, and are now just targeting whatever the clock says.  https://t.co/u4YzDzG4eP

13805) 0.0) Putting this out before pre-market: just remember what happened after the raise last May.  $TSLA $TSLAQ

13806) -0.0018) $TSLA @Tesla 10-K: "Meanwhile, we are making our existing vehicles incrementally more compelling, including through a planned software update for FSD-enabled vehicles to react to traffic lights and stop signs and navigate city intersections,  1/2

13807) 0.0) For those hanging in there, $TSLA is up ~23% in February  https://t.co/9lKXwKgLtG

13808) 0.0) ⚠️Important Update⚠️  Tesla Software Update Notice Heralds End Of Jailbreaking  $TSLA #Tesla #OTA  Detail:  https://t.co/wo8UBD4zKg

13809) 0.0) @TESLAcharts @markbspiegel To put the sloppiness of tonight's equity offering into further perspective, all other $TSLA secondary equity offerings have priced at less than a 1% discount to the last traded price.  https://t.co/EGiXV7MDJ3

13810) 0.0) Breaking: China Made Tesla Model 3 reservations hit 100,000 and raising. VIN is current at 100,000+   #Tesla #TeslaChina #ChinaMade #Model3 #ChinaMade #GigaShanghai #特斯拉 #中国 $TSLA  https://t.co/N530lxkJW1

13811) 0.0) When you're a $TSLA short and they announce an equity raise at a valuation of one zillion dollars

13812) 0.0) Listen to @elonmusk on the #Tesla earnings call 2 weeks ago and you hear why he was against offering stock to dilute shareholders:  “It doesn’t make sense to raise money because we expect to generate cash.”  And yet, now we get a $2B offering? So ... what changed? $TSLA

13813) 0.0) Tesla will change your life. #Autopilot $tsla  https://t.co/1aheMYqps7

13814) 0.0) $TSLA - Tesla pricing $2B offering at $767/share - Bloomberg  https://t.co/RvGlkgi6wY

13815) 0.0) Roses are red Tesla is sued  DOJ going after Musk &amp; crew!   #ZeroFucksUntilCuffs  #Tesla $TSLA #10K  https://t.co/FXFrXTgSkr

13816) 0.0) $TSLA closes at $804

13817) 0.0) Former @Tesla board member @SteveWestly explains why @elonmusk changed his mind on raising more capital. $TSLA  https://t.co/k8mJEWJRUu

13818) 0.0) so $TSLA we get the offering price tonight, gaps down and they buy it all right back up tomorrow right? Goldman Sachs and Morgan Stanley running it.

13819) 0.0) $TSLA afternoon trade opening nearly 1500 January $950 calls near $127.50 average for $19M

13820) 0.0) 2 minutes to live #Tesla $tsla

13821) 0.0) $TSLA today  https://t.co/dxm0NJkjyd

13822) 0.0) @SF_SEC I just did.  Nothing happened.  $TSLA

13823) 0.0) Tesla's General Counsel  received notice on the 4th. Thought about it *one whole day.* Quit the day after. Nothing sus here...  $TSLA $TSLAQ

13824) 0.0) it caused me to buy a ton of $TSLA which in turn allowed me to quit my job and start a business.

13825) 0.0) When Elon &amp; Larry are buying more $TSLA, we know whatsup 😉  https://t.co/RIqQ4u25Tb

13826) 0.0) That $2B $TSLA capital raise might have served a dual purpose...  It could have been @elonmusk's olive branch to the shorts.   We may never see $767.29 ever again...  https://t.co/ES45QHP5pz

13827) 0.0) $TSLA announces $2B capital raise &amp; ups CAPEX guidance  https://t.co/EMrknBkG1m

13828) 0.0) $TSLA's current valuation DOES NOT include #Teslaquilia market potential in the Americas (~8B market)😉  Elon always delivers. If you drive a #Tesla, you will drink #Teslaquila  @thirdrowtesla @28delayslater @ValueAnalyst1 @jpr007 @TeslaPodcast @teslanalyst @DisruptResearch  https://t.co/qdj6CVPps6

13829) 0.0) $TSLA since my pennant apex trigger.🚀  https://t.co/gVbkPurO0Q

13830) 0.0) Oh..Good Morning ☀️ $TSLA 🐮🐮  https://t.co/XpYt5t263p

13831) 0.0) $TSLA sheesh, lots of calls at $800/$850/900 for this week hanging out there, not so much for next week yet  https://t.co/bFRAts7KOt

13832) 0.0) As was foretold. $tsla

13833) 0.0) $TSLA going parabolic

13834) 0.0431) Updated $TSLA projection - huge bear wedge, with waves A and B completed. We are working on the sub wave a of C here, we likely see a 50/61.8% retrace for b then fill that gap at 863. I think this fades HARD when it does fill the gap. All IMO  https://t.co/hnk0nOPRJz

13835) 0.0) Hey guys let's short $TSLA  https://t.co/ncCgRylwat

13836) 0.0) With today’s move, $TSLA has sent another shot across the bow to the auto industry that it will move with lightning speed to build EV capacity globally as the world transforms from ICE to EV.  Fluidity is where genius meets crazy, and @elonmusk certainly has fluidity.

13837) 0.0) $TSLA 15 minute, it did that thing again #TheStrat #BroadeningFormation  https://t.co/gHZoMH6PYA

13838) 0.0) @Tweetermeyer @evebitdap 12/ including the comments from @4xRevenue &amp; @markbspiegel on the Accounts Receivable as I saw them re: $TSLA   https://t.co/oaFHRElyIE

13839) 0.0) Answered today: $TSLA received $46 million in cash from the government of Shanghai.  https://t.co/QBih7tgJxt

13840) 0.0) @Tweetermeyer $TSLA "goodwill- i.e. dollars that should be auto GP &amp; counted against warranty- have been given an official, improper home- Service CGS as expected by @evebitdap   reminder, $TSLA has demonstrably inflated N I to date by &gt; $1bn  Will anyone ask the $ amount of repairs in Q4?  9/  https://t.co/CQDZVVIgA5

13841) 0.0) $TSLA A secondary, a recall and a SEC subpoena and they can't even get it through the 13ema...   What is the short thesis here? not price action.....

13842) 0.0) we already got the green now give us $800 papi $tsla

13843) 0.0) shorts getting "bolted" in $TSLA today

13844) 0.0) Anyone thinking of picking up $TSLA at 735?  What a reversal!  https://t.co/0j46m70JVu

13845) 0.0) For the next time Musk claims those darn regulators are what's holding $TSLA (non-existent) autonomous vehicles back . . .  4/  https://t.co/51tOnf69ie

13846) 0.0) $TSLA: Model X recall and an out of blue the $2b raise = green   $TSLAQ:  https://t.co/TQysgRa68P

13847) 0.0) In the $TSLA 10-K today, we see a new SEC subpoena and additional DOJ involvement.  Run fast, run far!  This is big.  Let's break it down ... We'll go through the disclosure, tell you what the company's leaving out, and give our suggestions on where investors should focus next.

13848) 0.0232) @fpbegin @TESLAcharts Elon Musk is not like you or me. He pumps $tsla stock to inflate the share price. Then, pledges the stock to Morgan Stanley &amp; others in order to borrow on margin. He uses the hundreds of millions in margin borrowing to finance his lifestyle.  Income tax due on foregoing? $0.00.

13849) 0.0) *TESLA STOCK SURGES AT OPEN ON NEWS OF INVERTED BUYBACK* $TSLA

13850) -0.0258) As repeatedly stated, $tsla had to raise money in Q1. This isn’t opportunistic, this is necessity  Why so small?  The offering last May was already disproportionately placed in retail hands in $200s. Goldman had highest PWM allocation in history per my rep. They can’t place more

13851) 0.0) Is this @PwC telling investors $TSLA used the reserves for sales returns and warranty to sink H1 and to make H2 look more rosy?  https://t.co/worMk6nryY

13852) 0.0) Last week I asked longtime bear @CGrantWSJ what would make him more bullish on Tesla. His answer? A capital raise. $TSLA  BOOM:  https://t.co/RweeCzspjJ

13853) 0.0) Tesla is paying Goldman and MS in the offering. So we should see some more upgrades from these firms over the next few months. $2 bil of dilution at $140 bil valuation is nothing. Tesla with $8 bil in cash will be sustainable for the next decade... $tsla #tesla

13854) 0.0) @Lebeaucarnews @elonmusk Up $200 in the $TSLA stock can make a difference...

13855) 0.0) $TSLA "average" capex guidance between 2020, 2021, and 2022: $2.5 - 3.5 billion per year.  https://t.co/Ls3MkG95sS

13856) 0.0) The $TSLA story has not been about insolvency since $180(and last year’s offering). And even then, it really wasn’t about insolvency, as it had a $45B TEV at $180. But the CEO credibility story still seems operable.

13857) 0.0) To be honest it would have been dumb for $TSLA not to do an offering at these levels. Could be BTFD scenario.

13858) 0.0) $TSLAQ $TSLA  P.S.  Second multi billion dollar capital raise within 9 months of each other yet the company claims it is self financed through FCF  For anyone buying the ‘we don’t actually need it shtick’ you’re too far gone to be helped  What an absolute clown show this stock is

13859) 0.0) I guess we’re back to having amateur hour at $TSLA. 🤦🏻‍♂️🤷🏻‍♂️

13860) 0.0) so since yesterdays close $TSLA announces a recall 10k has a new SEC investigations and they announce a secondary yet stock is only down 4.5%

13861) 0.0) This is gonna be the big one $TSLA $TSLAQ

13862) 0.0) Tesla $TSLA Announces Offering of $2 Billion of Common Stock    https://t.co/dqjM5Teb1x

13863) 0.0) “I would never buy it and I would never sell it short,” says 96-year-old investing legend Charlie Munger on $TSLA and @elonmusk.  https://t.co/y94k4wn9wr

13864) 0.0) $TSLA HASHTAG UPDATE  #NotSellingAShareBefore10000  is now  #NotSellingAShareBefore9836  due to 1.666 percent dilution

13865) 0.0) $TSLA should’ve done a $20b offering

13866) -0.0018) “making our existing vehicles incrementally more compelling, including through a planned software update for FSD-enabled vehicles to react to traffic lights and stop signs and navigate city intersections, and additional functionality of both in-vehicle software and ..app” $TSLA  https://t.co/tidUorNeTQ

13867) 0.0) Fifteen days ago.  (via @followtheh) $TSLA  https://t.co/NQLbx0Ozs1

13868) 0.0) Capital Raise  "Elon Musk, Tesla’s CEO, will participate by purchasing up to $10 million of common stock in this offering. In addition, Larry Ellison, a member of Tesla’s Board of Directors, will purchase up to $1 million of common stock."  $TSLA  https://t.co/kwsZ8jEmbl  https://t.co/YW7t8sgorQ

13869) 0.0) Breaking - Tesla announces $2 billion common stock offering. $TSLA down over 5%

13870) 0.0) $TSLA  TSLA Tesla announces $2B secondary offering through Goldman Sachs and Morgan Stanley

13871) 0.0) $TSLA INTENDS TO OFFER ABOUT $2B OF STOCK

13872) 0.0) $TSLA *TESLA INTENDS TO OFFER ABOUT $2B OF STOCK

13873) 0.0) Oh, so the paint shop HAS been running illegally?  cc:@Tweetermeyer  $tsla  https://t.co/zQKtQsFoCW

13874) 0.0) The 10-K is out. Start fudding.   https://t.co/qfe3uOYNEM  $TSLA

13875) 0.0) Can we call it the:  “Tesla Battery Fyre Festival”  $tsla $tslaq #Tesla  https://t.co/KZRVxgmWqA

13876) 0.0) Why is $TSLA down?  All the employees in the China factory are #nCoV-free and "back to work" and the Model X thing is "covered by warranty" and "they'll just write it off, Jerry!"  So why red?🔻

13877) 0.0) $TSLA - how is it going @elonmusk ?

13878) 0.0) Why the million-mile battery means Teslas could last a lifetime! 🚘🔋🔌 $TSLA #Tesla #EV @elonmusk  https://t.co/erl3ihsIf3

13879) 0.0) You need a report to tell us that?  $TSLA

13880) 0.0) Just in time to celebrate/mourn the production/sales report $tsla

13881) 0.0) $TSLA - bumper sticker on somebody’s car. A sign of a bubble ?  https://t.co/ueqIYfgZvn

13882) 0.0) $TSLA - this is still completely under reported.  To get real data, they need to go to everyone’s home in Hubei and start knocking on the doors....

13883) 0.0) in France, the $tsla moat is called the Maginot Line.

13884) 0.0) #Tesla has 884 SC's in NA and 511 in Europe. @ElectrifyAm has opened its 400th 350kW charger in NA in just over a year and is planning 400 more by 12/2021, @IONITY_EU is at 214 with 186 to go this year. Adding @Fastned, EVgo and such, Tesla doesn't lead here either.  $TSLAQ $TSLA  https://t.co/ePslRtOlyh

13885) 0.0) @montana_skeptic They delivered cars at a 450,000 annual rate in the 4Q, or at 90% of the 490,000 “capacity” in the 4Q. As you point out, that same “capacity” is now supposedly 640,000 cars per year. Big impact on fixed-cost component of COGS in the 1H of 2020. Manufacturing math. $TSLA

13886) 0.0) $TSLA needed 142 employees in Sweden to sell 1,228 vehicles in 2018 (and service another 3,700). That's 8.65 cars sold per employee.  $TSLAQ  https://t.co/R8czvpwu4R

13887) 0.0) There’s plenty of reasons for $TSLA to be down, but this token recall isn’t one of them. It hit IB at 3:30. Must be something else going on.

13888) 0.0) @TheReckoningOne @TESLAcharts They can’t do an OTA fix? $TSLA

13889) 0.0) Aka someone bought calls. $TSLA

13890) 0.0) $TSLA Elon.. I'm a buyer at $420

13891) 0.0) I've never heard of a steering bolt recall for a software company before $TSLA

13892) 0.0) The word has gone out to the $tsla flying monkeys: talk down the Q1 numbers.

13893) 0.0) $TSLA To recall 15K Model X SUVs in North America due to power steering issues - press (Tesla Inc) (More at  https://t.co/UuPIQepiaP)

13894) 0.0258) In December 2019, the market interpreted a *projection* about what $TSLA was producing in China as a fact. The key phrase "which means that it produces" was read as "produces." They aren't the same. Words matter.  So again, what is a "delivery?"  https://t.co/73wm7TeKMS

13895) 0.0) @TESLAcharts That's less than Fred said they were producing in December.  Remember this? Electrek 12/31/19 $tsla  https://t.co/ykYL58Qkr7

13896) 0.0) (1/2) Charlie Munger on @elonmusk and Tesla's stock: 'I have two thoughts: I would never buy it. And I would never sell it short.' $TSLA

13897) 0.0) In the 3,516 days since June 29, 2010, only the few who sold on February 4, 2020, are patting themselves on the back right now. For the rest, the FOMO is real.  $TSLA #NotSellingAShareBefore10000

13898) 0.0) You sell, I yell. That's how it works.  $TSLA #NotSellingAShareBefore10000

13899) 0.0) Berkshire Hathaway 10 year return: 196%  Tesla 9.6 year return (since IPO): 4403%   $TSLA #Tesla

13900) 0.0) Looking forward to 13Fs and quarterly letters from fund managers. $TSLA  https://t.co/HAQxsJ2eES

13901) 0.0) 🥴🥴🤡🤡🥴🥴  (how long has he been bearish on Tesla?)   $TSLA

13902) 0.0) MUNGER: WOULD NEVER BUY TESLA AND NEVER SELL IT SHORT $TSLA

13903) 0.0) $TSLA sued over "goodwill" warranty scheme in Los Angeles County. Docket soon.  https://t.co/DVQm45BRDq

13904) 0.0) (2) Here’s the related table $TSLA  https://t.co/qv3G2ZOxEg

13905) 0.0) Tesla Made 2,625 Model 3s in China in January | Quoting the NE Times (in Chinese) $TSLA   https://t.co/sPYcM1tEtr

13906) 0.0) ⚠️Breaking⚠️  Tesla Model 3 Long Range To Be Produced In Giga 3 Shanghai  $TSLA #Tesla #China #GF3 #MIC #Model3    https://t.co/rO1aiRbAjw

13907) 0.0) Payback period for future Gigas will be three months.  $TSLA #NotSellingAShareBefore10000

13908) 0.0) Still waiting for a #robotaxi to pick me up. $TSLA #elonpromised

13909) 0.0) $TSLA come on break that 790 resistance

13910) 0.0) 👏 TESLA 👏 👏 OWNS 👏 👏 THE 👏 👏 SUPPLY 👏 👏 CHAIN 👏  $TSLA #NotSellingAShareBefore10000

13911) 0.0) BREAKING: Giga Shanghai Factory will produces China Made Long Range Rear-Wheel Drive Model 3.  Listed today on official China Ministry of Industry and Information Technology  website:  https://t.co/LxRSneHZSX  #Tesla #TeslaChina #ChinaMade #Shanghai #Model3 #特斯拉 #中国 $TSLA  https://t.co/91w6uqNBkA

13912) 0.0) It's *insanely* cheap.  $TSLA #NotSellingAShareBefore10000

13913) 0.0) $TSLA - Let’s try this again.

13914) 0.0) Giga announcements are accelerating.  $TSLA #NotSellingAShareBefore10000  https://t.co/24QtQ2JjH8

13915) 0.0) Tesla Semi Visits Canada 🇨🇦 for Possible Winter Testing Before Launch ‼️  $TSLA #Tesla #Semi #Canada   https://t.co/AGqEDN2Mgp

13916) 0.0) $tsla Riddle  🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗🚗  What is it ?  @28delayslater @vincent13031925 @Hein_The_Slayer @jjhanna2 @s17_scott @vm_one1 @OnDaBus6am

13917) 0.0) Pure Bonnie. Defending the Precious. Adhering to the Talking Points. Smarmy. Oleaginous. Dishonest. Gaslighting. $tsla $tslaq

13918) 0.0) 33/ Who was the recipient of this email? This paid $tsla astroturfer (one of many) (h/t @ShortingIsFun):  https://t.co/5NiQ5res0C

13919) 0.0) 32/ Crowd-sourcing at work. Evidence that Bonnie works very closely with a $TSLA paid social media promoter. Bonnie earlier posted emails, but later evidently tried to cover her tracks:  https://t.co/RMMv62FPcz

13920) 0.0338) 30/ Most recently, Bonnie has directed her ire toward @gwestr. Who is he? Formerly, an obnoxious (sorry, Greg, but it's true) $TSLA fanatic who has since grappled with facts  &amp; become critical. No sinner worse than a believer turned heretic. Burn him at the stake.  https://t.co/T2yAjcIHv2

13921) 0.0) What big subsidy money buys you. $tslaQ $TSLA

13922) 0.0) Any info on what happened here in after market?? $TSLA @vincent13031925 @ihors3 @Tesla @thirdrowtesla @ICannot_Enough @jpr007 @xiang_aw @teslanalyst @elonmusk  https://t.co/RaHFVT1YQv

13923) 0.0) Omg the @Tesla Emissions Testing Mode is 100% why $TSLA is up 📈💨  What other car maker would put a branded fart actuator in their dash?  https://t.co/r0JD9lmAPR

13924) 0.0) $TSLA #TSLA Notice anything similar here?  https://t.co/juoQhVWZgU

13925) 0.0) Me, when a bull sells $TSLA at $800:

13926) 0.0) @EdgeCGroup $TSLA is already being taken over by retail investors while "analysts" sleep at the wheel! #NotSellingAShareBefore10000

13927) 0.0) Possibly Tesla Battery Production Line Is Now Building in Fremont.  $TSLA #Tesla   https://t.co/zHInhI4nSC

13928) 0.0) Must read analysis from ARK. Autonomous driving market potential.   $9 trillion.  $Tsla $tslaq

13929) 0.0) Is she awake Senator @SenMarkey $tsla  https://t.co/7MXBa30vVG

13930) 0.0) Tesla $TSLA trading 1,500 May $900/$950 call spreads to open today

13931) 0.0) Tesla Model Y Sightings Are Coming In Waves, Hinting at Coming Deliveries  A lot of MYs caught in the wild recently.   $TSLA #Tesla #ModelY   https://t.co/nLN11R3uMg

13932) 0.0) BOOM^2!  Breathtaking $TSLA whistleblower lawsuit by a former senior security manager:  *Confirms unreported, material theft at GF &gt; $37mm  *Confirms established links between GF employees &amp; organized crime  *Confirms Tesla illegally spied on employees  *Confirms self-dealing  https://t.co/q7AmUPXsrs

13933) 0.0)  https://t.co/Zn9QyFhWsX - What's my exit plan for #Tesla stock?   NEW VIDEO.  $TSLA  https://t.co/W4OO21RUlw

13934) 0.0) “Tesla cells”. It will be a historical moment. $tsla

13935) 0.0) *TESLA BUILDS BATTERY MANUFACTURING LINE IN FREMONT: ELECTREK  $TSLA

13936) 0.0) $TSLA bull flag and holding the 4 day.  https://t.co/KOyrb9gLOX

13937) 0.0) What does this imply about Tesla's relationship with Panasonic, LG Chem, and CATL?  $TSLA

13938) 0.0) MODEL 3 DOES NOT DEPRECIATE  $TSLA #Model3DoesNotDepreciate

13939) 0.0) Looking for $TSLA 785 this AM, then further breakout to 800+

13940) 0.0) Imagine for a second this was Tesla and how the market would react.  $TSLA #NotTesla  https://t.co/QxbbSFEYWN

13941) 0.0) I'd say the Chinese are involved.   $tsla  https://t.co/TGOFm5A4fM

13942) 0.0) The quintessential $TSLA story, told in headlines on a Bloomberg terminal...  https://t.co/2UICm48Rj0

13943) 0.0) ... sooner than market participants think.  $TSLA #NotSellingAShareBefore10000

13944) 0.0) "a feature Tesla calls “autopilot”  Note, "autopilot" is only mentioned in quotation marks by the NTSB...  $TSLA $TSLAQ

13945) 0.0) I can see $TSLA stock will probably consolidation in $700s range for a little while.

13946) 0.0) Tesla stayed red for 20 minutes. Didn’t think that would last... #FOMO #tesla $tsla

13947) 0.0) Can't wait for Battery Day in Buffalo. Reporters will get to see the massive industrial action needed to fabricate $tsla solar roof tiles. (Unless the "fabrication in Buffalo" is itself a fabrication.)  https://t.co/jVOTEaJd1w

13948) 0.0) @michaelbatnick Coorelation between coronavirus and $TSLA?

13949) 0.0) @PollsTesla So in 4 years, $TSLA will have 100% of the annual luxury car/SUV market (1MM units) in the USA? That is for both EV’s and ICE vehicles.

13950) 0.0) Tesla’s #CyberTruck changes EVERYTHING! CapEx for 50,000 cars / yr is 14% of the CapEx for ICE. (No paint or stamping).   Just $30m CapEx/50,000 / yr.  $Tsla could build factories all over the world that each make 500,000 - 1m #CyberRoboCars / yr!   https://t.co/NIS7YbmHAE

13951) 0.0) $TSLA GF3 production was 2,280 cars in January*. A long way to 150k.  * Assuming Pana only ships to Tesla in China; 2/3 SR+ and 1/3 LR AWD/Perf mix -&gt; 61 kWh average.  $TSLAQ

13952) 0.0) My financial adviser and I when we talk about $TSLA  https://t.co/MZx7UnX8Sv

13953) 0.0) Here is a small set of $TSLA pairs:  https://t.co/meHXYHnRXh

13954) 0.0) When you make 30,000% on an OTM $TSLA call and become an overnight millionaire  https://t.co/DEjaJcRojx

13955) 0.0258) "In a German article published by Lausitzer Rundschau, we learn that Tesla expects to reach a production capacity of 750,000 cars in the third phase of [Giga Berlin]" 🇩🇪  $TSLA #NotSellingAShareBefore10000   https://t.co/a0UzT3eAwn

13956) 0.0) "I know I was going too fast and when I saw the incline, I hit the brake, but I must have hit the side of the pedal and I think I ended up hitting the gas." 🤔 $TSLA $TSLAQ  https://t.co/KPBrrU1e27

13957) 0.0) $TSLA  "Elon Musk announces a new “Tesla April company talk,” which is expected to replace the previously announced “Battery and Powertrain Investor day” to be held at Giga New York in Buffalo."   https://t.co/n5kTYtIQFM

13958) 0.0) $TSLA  "Among those likely to attend battery day are customers who put down $5,000 to $20,000 deposits for the electric trucks several years ago."   https://t.co/meeUv7egNo

13959) 0.0) Here is The NY Times story which discusses VW’s battery costs, ⁦@Lebeaucarnews⁩. $TSLA ⁦@CNBC⁩   https://t.co/3OZ89pep7Q

13960) 0.0) Tesla stock rises on Shanghai factory optimism—what to watch now $TSLA (via @TradingNation)  https://t.co/CENYtEsk81

13961) 0.0) $TSLA Received green light to proceed with Tesla Solar install! Awaiting scheduling. BOOM!

13962) 0.0) Susquehanna is an options market maker and owns almost 7% of $TSLA

13963) 0.0) $TSLA closes at $771

13964) 0.0) Pier 80 Today®...my wager is that Morning Cara, pictured on one of the clearest mornings I've seen since we began this feature, is a short load for Asia. EU ships tend to meet a packed Pier 80, not the case today. $tslaQ $TSLA  https://t.co/igvwG7TU9s

13965) 0.0) Another $TSLA SolarCity customer sued over their rooftop "money printer" on February 7, 2020 in New York.  https://t.co/g7RpL5m1mK  https://t.co/fDvTGPEtwd

13966) 0.0) "We estimate that Battery costs for Tesla vehicles have declined from around $230 per kWh in 2016 to $127 in 2019" $TSLA #Tesla  https://t.co/QbFefokheL

13967) 0.0) $TSLA keeps racing higher. What exactly is behind the stock's rally? @JohnSpall247 joined @KellyCNBC to take a look under the hood of @Tesla's rally on @CNBC last week.  https://t.co/L5rVFWOaCl

13968) 0.0) Who you gonna believe? Analysis from a 2 person bucketshop in Colorado or $TSLA's own contract /w CATL for Prismatic packs?

13969) 0.0) Dorothy taking a tour of the New York Gigafactory...  $TSLA $TSLAQ  https://t.co/QpYCKKQvaG

13970) 0.0) Theranos gave "tours" also...  $TSLA $TSLAQ

13971) 0.0) I will tweet again when $TSLA is at $1,000

13972) 0.0) Aka 'theft'. $TSLA is a RICO operation.

13973) 0.0) $TSLA $800 let's go man  https://t.co/QAZroQJnmi

13974) 0.0) ok, where's the $TSLA 10-k at

13975) 0.0) The global production capacity will be able to supply enough battery cells for millions of Model 3 and Y sales in 2021.  $TSLA #NotSellingAShareBefore10000

13976) 0.0) FORBES:  In merger of religions, $TSLA to propose all-stock offer for Mormon Church $100 billion cash investment fund.   https://t.co/15MhqWMG6s via @WSJ

13977) 0.0) Where are the $TSLA solar roof tiles made? @MayorByronBrown, @NYGovCuomo, do you think you might inquire? The Mayor was told it's happening at Riverbend. The shipping labels say China.

13978) 0.0) $TSLA held the simple symmetry with a .618 retracement...target 1 met.......  https://t.co/V0IyJLnLfb

13979) 0.0) $TSLA over the past few months:  https://t.co/RSgNDDxkS5

13980) 0.0) @jpr007 The single most reason this won’t happen is that @elonmusk won’t remain CEO under those circumstances &amp; $TSLA won’t be same without him.

13981) 0.0) $TSLA After all, you really can’t just skip the 800s altogether......

13982) 0.0) Call me Nostradamus. Throwback to Dec 23rd 2019.  Tesla Stock (the tide is turning):   https://t.co/IxdAjhY31g  $TSLA  https://t.co/wrTYODP2Rf

13983) 0.0) @elonmusk @CathieDWood @SamTalksTesla ICE cars are the new tobacco, and ICE brands are the antithesis of climate change and sustainability.  Audi putting its brand on the e-tron is akin to Marlboro putting its name on an e-cig.  $TSLA

13984) 0.0) So we’re doing this again this week. $TSLA $TSLAQ  https://t.co/7viSwcTUDy

13985) 0.0) $TSLA this part of the spike?    https://t.co/gErkLkBprk

13986) 0.0) Making more $TSLA purchases?     https://t.co/CHdS6bRNE8

13987) 0.0) Lots of 8's  $TSLA @Tesla  https://t.co/2Vy8d9BUlw

13988) 0.0) Resume drumbeat to $1000  $TSLA     https://t.co/fLkCEu5jaF

13989) 0.0) Life comes at ya’ fast  $TSLA  https://t.co/QuTeP9td8L

13990) 0.0) $TSLA - I cannot emphasise this enough.

13991) 0.0) People who sold $TSLA at $900 waiting for their $300 buy back  https://t.co/sjnv3kSKkM

13992) 0.0) Here we go again🤯🤦🏼‍♂️🤦🏼‍♂️🚀 $TSLA

13993) 0.0) Tesla Solarglass Roof V3 Ramp is Starting and Will Disrupt the Residential Solar Market  $TSLA #Tesla #Solar #GlassRoof   https://t.co/sPW0vkTz3G

13994) 0.0) Not telling you to sell or hold your $TSLA stock but watch this video:     https://t.co/nT6LbiZLA5

13995) 0.0) Sometimes it’s obvious that these accounts are the same person. $TSLA #Tesla  https://t.co/ycnHHht1CV

13996) 0.0) ✅Important Update ✅  Tesla Gigafactory 3 Shanghai Officially Resumes Operation ‼️  $TSLA #Tesla #China #GF3  Detail info &amp; photos:   https://t.co/vqi85Wvi9R

13997) 0.0) On #Tesla Battery day if they announce: 10 minutes to charge the battery and travel distance of 800 miles, on a single charge; $TSLA may go ballistic

13998) 0.0) 1/ This week, Elon tweeted a lot about Texas and Austin: a rumored factory in Texas, being in Texas for SpaceX and recruiting in Austin. Was this random acts? Of course not. Hear me out.  $TSLAQ $TSLA  https://t.co/XIBTRDjnS2

13999) 0.0) $TSLA News from Shanghai: Just now, tesla's factory in Shanghai has officially resumed work, becoming one of the earliest automakers to resume work in China. 📈📈📈🚀🚀🚀💯✅  https://t.co/tEQFGAOho7

14000) 0.0) @TESLAcharts @ex_Tesla The misaligned panels and shoddy workmanship is how you can tell this roof had $TSLA solar installed.

14001) 0.0) Remember this is going to be the year of solar according to Elon $TSLA 🏡🌞

14002) 0.0) Tesla to $7,000? Why Tesla’s biggest bull sees another 800% upside for the swinging stock. Here’s what we learned from @CathieDWood of @ARKInvest this week. $TSLA  https://t.co/EhcrAd6Huy

14003) 0.0) @Tesla Here’s what ‘Tesla Installation Teams’ (aka Tesla in-house) did to my roof + home 👇  Cc @AGBecerra @CSLB @TwitterWomen @GavinNewsom @DCAnews   $TSLA $TSLAQ #Tesla   https://t.co/o67gyNAMJj

14004) 0.0) Tweet of the millennium shut it all down $tsla $tslaq

14005) -0.0258) Tesla’s been on an insane ride.  Grateful that candid investors shared their stories with me and @GZuckerman. Even when the losses were pretty ugly $TSLA

14006) 0.0) #PISTA says: From a viewer - All I did was type “should I” and look at the first result that auto-populates? $TSLA   Talk about an indicator! ⁦@tastytrade⁩  https://t.co/dKUf5kOZhb

14007) 0.0) @GerberKawasaki We knew this was coming. @CathieDWood alerted us almost a year ago.  $TSLA  https://t.co/TZenNl2tcf

14008) 0.0) Did #Tesla #AutoPilot send you over a cliff? Yikes!  #TeamElon $TSLA

14009) 0.0) The 5th paragraph is solely about share price. Somewhat unusual for an article solely about a factory re-opening? No one is bleating about Foxconn sp. $tsla  https://t.co/gZU5oII87Z

14010) 0.0) 4th paragraph starts the discussion of valuation.  $tsla  https://t.co/D9tFJfuAI8

14011) 0.0) I am NOT @TESLAcharts !!!!! $tsla $tslaq #Tesla  https://t.co/RGpZboHvjG

14012) 0.0) Chinese Homemade Supercar and Homemade Tesla Cybertruck.  Dope or Nope?  #Tesla #TeslaChina #Supercar #Cybertruck #特斯拉 #中国 $TSLA  https://t.co/DTDroL68RS

14013) 0.0) MUST-WATCH by @Ryan_Alvarez116   $TSLA #NotSellingAShareBefore10000   https://t.co/giAbHSpoTa

14014) 0.0) Tesla Insurance can't come to my state fast enough.  I need to ditch State Farm ASAP for moral reasons.  Else move to California  🙃  @elonmusk @Tesla #TeslaInsurance $TSLA   https://t.co/sps1DfJpjy

14015) 0.0) $TSLA - Tesla and SUA.  RDW is now investigating them.

14016) 0.0) “Tesla could get state subsidies in its plan to set up a gigafactory in Germany, the country’s economy minister told a weekly newspaper.” 🏣🔋🇩🇪  https://t.co/FLaQCY2edi $TSLA #Tesla #EV #Giga4

14017) 0.0) $TSLA - this is for Foxconn Shenzhen. Their largest site.    Foxconn has major campuses in Zhengzhou, Wuhan(!), Chengdu, Changsha, Kunshan, Tianjin, Langfang (FIH)...etc  Overlay that map with the latest CoV outbreak map.  How productive do you think Tesla will be on Feb 10?  https://t.co/n25kLqpeuv

14018) -0.0258) 🕵🏻‍♂️: Tesla is a fraud. Read my article   🐻: we believe anything bad about Tesla. This is true   🧔🏻: hey there. Went to GigaBuffalo and looks like after a slow start Tesla is on track.   🐻 /🕵🏻‍♂️: 😡   🐻: email me at lostbillions@gmail.com cause I’m good at reading  $TSLA

14019) 0.0) Tesla brought out my inner hoon too. $TSLA   https://t.co/SfWdawr7RT

14020) 0.0) Imagine taking your car in for service and being told you'll never get it back. Now you don't have to. Someone just sued $TSLA over it. Duong v. Tesla, Inc.:  https://t.co/5RhYbuvcII  https://t.co/2mh8qfy5FY

14021) 0.0) Tesla Next-Gen Battery 🔋 With Maxwell Technology &amp; Patents  "Battery Day people. Wait until Battery Day. It's gonna blow your mind. It blows my mind, and I know it!" said @elonmusk.  $TSLA #Tesla #Maxwell #Battery    https://t.co/lFhN8AgLVe

14022) 0.0) This cannot be. I have been reliably informed that the German OEM’s are light years behind $TSLA in EV battery/drivetrain technology. Besides, VW(Porsche) is a...car company.

14023) 0.0) Narrator: $TSLA is at $750, not $950.

14024) -0.0258) ~$70M of cash in Q4 came from higher EU deliveries (VAT accrual growth). ~$230M of cash on hand are VAT accruals. Every 1k lower # of cars delivered in the last month accounts for ~$10M +-20% negative CF.  $TSLA $TSLAQ

14025) 0.0) Uber and Lyft today charge $2 to $3 per mile, and I expect Tesla's estimates shown below to prove conservative.  $TSLA #NotSellingAShareBefore10000  https://t.co/QKRxyuPxgH

14026) 0.0) #NotSellingAShareBefore10000 is primarily about $TSLA building millions of robotaxis years before others.

14027) 0.0) Retail buying $tsla call options this week:  https://t.co/vugFo275Xz

14028) 0.0) Where were the signs....?  $TSLA

14029) 0.0) Tesla filed a patent, published recently on Feb 06th, 2020  'Solar roof tile spacer with embedded circuitry'  $TSLA #Tesla #Solar #GlassRoof   Detail Info:  https://t.co/3vrSU2tIMm

14030) 0.0) @DanTelvock Are you bring  a TV crew? If so, live broadcast???  $TSLA $TSLAQ

14031) 0.0) Some ask me do I think $TSLA put in its All Time High this week at $968? My answer is, probably for the next few weeks or months. But is it a historic high?  IMHOP- NOOOOOOOO!

14032) 0.0) $TSLA stock’s run this past week summed up by a dog. @28delayslater

14033) 0.0) NHTSA's Permit For Nuro's Autonomous Vehicles Paves Way For Tesla's FSD Rollout  $TSLA #Tesla #FSD    https://t.co/I6zLAbGHgZ

14034) 0.0) The Tesla Semi is @ElonMusk's Understated Multi-Billion Dollar Industry Disruptor  $TSLA #Tesla #Semi  https://t.co/pg4AKntdux

14035) -0.0498) @crescatkevin heres what I think $TSLA needs to unwind its parabolic emotional energy - usually there are three fractal parabolas in a complete parabola - each of the first two are two steep and invite more fear that squeeze if higher until the larger parabola is met &amp; breaks imo  https://t.co/KPN1f80ZtD

14036) 0.0) Most people still think the legacy automakers will outcompete $TSLA and robotaxi will never happen 😉

14037) 0.0) $TSLA is a textbook example.

14038) 0.0) Prediction: If they actually try to start up next week, it will backfire spectacularly. Or we just won't hear another word about it. $tslaQ $TSLA #ChinasGenius  https://t.co/SO8SEwy22v

14039) 0.0) Tesla’s #China plant to resume operations Feb 10, says Shanghai government, according to Chinese media. @Tesla $TSLA

14040) 0.0) Postcard from the Real World. $tslaQ $TSLA &gt;series gallery  https://t.co/2SuIMxADiF  https://t.co/Br5tuMp9NS

14041) 0.0) $TSLA SHANGHAI GOVT OFFICIAL SAYS TESLA FACTORY WILL RESUME PRODUCTION ON FEB 10, GOVT WILL OFFER ASSISTANCE

14042) 0.0) [RTRS] 07 Feb - SHANGHAI GOVT OFFICIAL SAYS TESLA FACTORY WILL RESUME PRODUCTION ON FEB 10, GOVT WILL OFFER ASSISTANCE $TSLA

14043) 0.0) Ford’s president leaving company in executive shake-up 🚘🎥 $TSLA #EV  https://t.co/iDO88Q5RcK

14044) 0.0) breaking down @ARKInvest's $7,000 5-year Tesla price target $TSLA 🚖🤖  https://t.co/4PecowNROW

14045) 0.0) Whatcha doin' tonight?  $TSLA #NotSellingAShareBefore10000   https://t.co/zsIHBhW35c

14046) 0.0) “People are beginning to understand @Tesla’s in the lead &amp; that other auto manufacturers are in trouble,”—@CathieDWood (2/7/20) 🚖⚡️🤖 $TSLA #Tesla #EV @elonmusk @ARKInvest  https://t.co/ZTEDEKhRWF

14047) 0.0)  https://t.co/z4bPSvXkDB - #Tesla's semi is going to be BIG. New video. $TSLA  https://t.co/u7Zc1NoSTL

14048) 0.0) MODEL 3 DOES NOT DEPRECIATE  $TSLA #NotSellingAShareBefore10000    https://t.co/y28zlZQbob

14049) 0.0) MODEL 3 DOES NOT DEPRECIATE  $TSLA #NotSellingAShareBefore10000    https://t.co/c557frT9m5

14050) 0.0) M1 would be built in China $TSLA @elonmusk

14051) 0.0) $TSLA - How does Starlink make money?

14052) 0.0) Another patent Tesla filed recently:   'Steering wheel assembly'  $TSLA #Tesla Detail:  https://t.co/gdCxf7hzN0

14053) 0.0) Tesla filed a patent 'User interface for steering wheel'  $TSLA   https://t.co/A03lG2MFrC

14054) -0.0258) Stunning losses.   And the whole time they were calling $TSLA long "Lemmings".

14055) 0.0) $TSLA short side mark-to-market P\L: 2016 to 2019 -$8.64 billion; 2020 -$8.34 billion; Jan 2020 -$5.80 billion; February -$2.54 billion.

14056) 0.0) $TSLA shorts cling to the misplaced belief that Audi/BMW/MB’s new EVs will just take off this year.  First time EV buyers view the legacy brands as gas guzzling CO2 burners driven by aging baby boomers. Putting the Audi brand on an EV is akin to putting Marlboro on an e-cig.

14057) 0.0) $TSLA   initial bounce 41.75....but let's see if it can make the target!!  https://t.co/RroehT4W3U

14058) 0.0) During Q4 2019, Tesla generated more than $3.3M Revenue per hour or equal to $55K+ per minute.  $TSLA

14059) 0.0) Google $TSLA  Something change for you?

14060) 0.0) Nothing to see here...  $TSLA $TSLAQ

14061) 0.0) 10/ Btw, for some $TSLA owners, these questions are not hypothetical.  https://t.co/dJyx42E1te

14062) 0.0) 2/ Just to make the example more concrete, let's say that car is a $TSLA. A Model S, for instance.

14063) 0.0) $TSLA surge really highlights the methodology gap bt Russell and S&amp;P index families, the latter of which doesn’t own Tesla (and some other growth-y cos) as per ⁦⁦@mbarna6⁩ who will be on ⁦@BloombergTV⁩ in 10m to discuss..  https://t.co/Tj5Jb1St7T

14064) 0.0) The Tesla battery and powertrain investor day will be one of my big focus for this year.   $TSLA

14065) 0.0) $TSLA closed green 8 out of the last trading days. #dontpanic  https://t.co/J8CYDRLpuD

14066) 0.0258) If you remove the spike to $968, and take a 6 month view, it seems silly to sell $TSLA  https://t.co/qGTDkuf5Ge

14067) 0.0) Wonder if $TSLA will open in the 600's

14068) 0.0) $TSLA  When will Tesla owners learn that the car is not designed to go through a car wash?   https://t.co/TWQ240jiQH

14069) 0.0) If your $TSLA app butt-purchased upgrades without your knowledge, these purchases are permanently part of the car, cannot be refunded, unless you sell your car to your brother, in which case it these upgrades are immediately removed &amp; you &amp; your brother are left with nothing.  👍

14070) 0.0) #ClassicBubble $TSLA likely has one more small surge in “Return to Normal” phase before wheels come flying off of the #EnronOnWheels  https://t.co/wRZqBbucB5

14071) 0.0) $TSLA "In an effort to keep the virus under control, Shanghai has ordered local businesses not to resume work before Feb. 10, which means Tesla’s local factory is also temporarily shut down."  I heard factories ordered to be ...  https://t.co/8lRChW8csf

14072) 0.0) @TheStalwart At first I thought that was a chart of $TSLA vs Bitcoin

14073) 0.0) Reality. Gene knows his stuff. #tesla $tsla

14074) 0.0) U.S. House Democrats propose electric vehicle charging network $tsla #Tesla   https://t.co/Efc7vRbUjj

14075) 0.0) $TSLA short -&gt; $7,500 Stonk T-Shirt -&gt; $30 Lifelong memorabilia to remind me not to short stonks -&gt; PRICELESS

14076) 0.0) $tsla is the new bitcoin confirmed

14077) 0.0) I’m getting messages from people irl asking me if $tsla is a buy ....

14078) 0.0) the new version of the $TSLA roof looks a little iffy...  https://t.co/zXzdxmzqzD

14079) 0.0) I always believed in @elonmusk but I never understood $tsla $7000 until I watched @lexfridman interview #JimKeller and now I think I see a fraction of what they see.   2030 and beyond is going to be wild. #NotSellingAShareBefore10000  @GerberKawasaki

14080) 0.0) Regulation is not the limit to FSD.  $TSLA #NotSellingAShareBefore10000  https://t.co/N1t0YZjlQs

14081) 0.0) Which Auto company has its own ?  - Fuel &amp; fuel network  - Dealer network  - Self driving Tech - Auto Software - Chips/Hardware Design - Auto Insurance - Taxi network   Answer: There is none.  There is one company which makes them all, but it’s NOT an Auto Company!  $TSLA

14082) 0.0) if true, then, just like that the nevada gigafactory and its cylinder cell dead end is written off. $tsla

14083) 0.0) The wilder the times for $TSLA, the less @danahull and I sleep. This week has been a doozy 😴   https://t.co/OzXlV1bSUw

14084) 0.0) What @LexFridman Learned From Meeting @ElonMusk | Joe Rogan 🚀🚗🤖 Full Video →  https://t.co/SvVgZfmitF $TSLA #Tesla #SpaceX #Neuralink #AI  https://t.co/xoLg3V0yVn

14085) 0.0) 🚨[New Video]🚨  How I Made $101,054.54 Betting Against $TSLA Stock!   https://t.co/aqmTcDOSYc  *MUST SEE VIDEO*  @MyInvestingClub  https://t.co/33oNH1VWJP

14086) 0.0) its going to be incredible when $tsla closes unchanged while trading in an $100 range

14087) 0.0) Tesla $TSLA fading late and buyer this afternoon of 1000 April $665 puts $64 to $65 - first real size put buy seen in a while

14088) -0.0258) I’m not saying @4xRevenue is right about how $tsla achieved its tiny Q4 profit. But I am saying that if he’s right, (1) it’s another reminder of how totally dependent Tesla is on subsidies &amp; mandates, &amp; (2) it’s completely in character for Tesla to hide the ball until the 10-K.

14089) 0.0) The same people who bought $TSLA Tesla stock over $900 will buy #Bitcoin when it is 6-figures.

14090) 0.0) If I were a t - shirt #MeToaTee #tesla $tsla #evs #electric #SpaceX #rockets  https://t.co/aV21h1HbN7

14091) 0.0) If $TSLA stock is too expensive for you then maybe this ⁦@elonmusk⁩ Starlink IPO could the next buy and hold forever investment   https://t.co/m0GClBHLkm

14092) 0.0) SpaceX Likely to Spin Off Starlink Business, Pursue IPO - Bloomberg $TSLA

14093) 0.0) *SPACEX LIKELY TO SPIN OFF STARLINK BUSINESS, PURSUE IPO  $TSLA $TSLAQ

14094) 0.0) Jim Cramer says Tesla’s dip was expected, but $TSLA stock remains ‘legit’ nonetheless  https://t.co/Y2wTw0lefd

14095) 0.0) (Not @tesla &amp; @elonmusk)  How does @ARKinvest claim that $TSLA has a multi-year lead in autonomy?   It's a bald-faced lie to pump their own holdings.

14096) 0.0) Tesla Is Just The Latest In A String Of ‘Single Stock Manias’:  https://t.co/DyfERzcZ27 by @jessefelder $TSLAQ $TSLA  https://t.co/jn7DwbMdAb

14097) 0.0) buying $TSLA at $900

14098) 0.0) Here is a micro look at the $TSLA RDR this morning.  Did anyone catch it. If not, learn from this. A calculated way to make Cash Flow  https://t.co/wC7y9koyEI

14099) 0.0) Tesla:   Fremont 🇺🇸  Giga Nevada 🇺🇸 Giga NY 🇺🇸  Giga Shanghai 🇨🇳  Giga Berlin 🇩🇪  Giga Texas 🇺🇸 (not confirm yet) Giga...... 🌎  Giga.......... 🌎 Giga............... 🌎 ........................... 🌎  $TSLA at $780 today is overpriced or undervalued? Even ppl with half 🧠 knows!

14100) 0.0) @Hipster_Trader Because $TSLA is back below 900

14101) 0.0) New $TSLA Technical pattern  https://t.co/WMBI5y318Y

14102) 0.0) My $TSLA plan so far today  https://t.co/ndWwi6bEkP

14103) 0.0) Business idea: app that yells $TSLA price at you every 10 seconds. cc @matty_mogul

14104) 0.0) $TSLA  outside up H4 rotation hold on tight

14105) 0.0) So I gave a plan on how to buy $tsla at $704 RDR.  VTF saw me buy it there and to go green. Now sold some. It’s $752. Small left  @RedlerAllAccess  https://t.co/gFHqJ2LU2D

14106) 0.0) With February practically over, $TSLA is only up 8.25% this month 🙄  https://t.co/71coM0lbr3

14107) 0.0) 15/ And, give us at least this much, Mike: if you're going to detail GM's and Ford's 2019 bottom line results, then at least mention those of $TSLA, too.

14108) 0.0) 8/ Check the numbers for yourself, Mike. Then take a look at how the $70k Audi E-tron is now outselling the less expensive $TSLA Model 3 in what has historically been Tesla's second largest market, Norway. In fact, check all the current numbers here:  https://t.co/jwnLYfd0Fl

14109) 0.0) “Start of production is anticipated within the first quarter of 2021, with deliveries of the Nikola TRE beginning in the same year.” #hydrogen $tsla $tslaq - 💪🌿

14110) 0.0) when you take a selfie with the guy who's $TSLA short liquidation you sold into  https://t.co/cLhuUbYYuk

14111) 0.0) The $TSLA trade in stats.. unreal:  https://t.co/QUw4fQb4Na

14112) 0.0) I should listen to myself more often.  $TSLA  https://t.co/Z4ivn2UQaS

14113) 0.0) Will $TSLA 10-K include a “subsequent event” update on Coronavirus impact?

14114) 0.0) For all the people new to #fintwit $TSLA / $TSLAQ  https://t.co/NAeRoPaslT

14115) 0.0) Holy moly, there is some extreme evidence here of a co-ordinated “bear attack” on $TSLA here :  https://t.co/1DEB0d0dtz  #Tesla @thirdrowtesla @ValueAnalyst1 @SamTalksTesla @TeslaPodcast

14116) 0.0) 1/6 A thread about Tesla Motors Norway (TMN) and the New Years Eve Cars.  As made famous by @PlainSite , $TSLA registered 75 cars in their own name on new years eve 2019. I've tried to understand this. $TSLAQ

14117) 0.0) $TSLA  oodles of gaps to fill on this one  https://t.co/gLlriFuRMl

14118) 0.0) The smartishest guy in the room.  This guy Keyser Söze'd everyone.  $TSLA  https://t.co/fflw6zFwcG

14119) 0.0) Actually, Audi has been outselling #Tesla with a single model by a wide margin in Norway since October.  $TSLA $TSLAQ

14120) 0.0) $TSLA is setting up for an epic Friday lotto sitch

14121) 0.0) This account is art, a story that had to be told and now has to be read.   Go to his account, read his tweets chronologically. And don't be mean.  Who did this?  You know who.  $TSLA

14122) 0.0) Things communist shills say .... when bought and paid for. $tsla

14123) 0.0) Aiming for conservative price target of $TSLA at $3500 or $650B Market Cap in 5 years.

14124) 0.0) Today’s $TSLA plan:  -stock goes up: hold -stock goes down: hold   Longer plan: but dips when I can.

14125) 0.0) $tsla the bitcoin of stonks  https://t.co/j0qqPTsuUU

14126) 0.0) Did Cramer ever mention on @CNBC that a pullback in $TSLA was inevitable? I don't remember hearing that out of him.   https://t.co/elWOE9wW95

14127) -0.0258) I bet Jerome Guillen feels pretty dumb selling $TSLA at $674.55.   Form 4 released today.   https://t.co/WDeHwXOT9u  https://t.co/6YtNqwQzwv

14128) 0.0) Tesla Model Y Performance Outclasses Rival Crossover EVs with Official EPA Range of 315 Miles  $TSLA #Tesla #ModelY   https://t.co/h7zdHe45Xa

14129) 0.0) Me, six drinks deep, still out an hour after i told my wife is be home, thinking about my $tsla puts and calls  https://t.co/nVBLuNUSBa

14130) 0.0) Who's eating a rat tomorrow $tsla

14131) 0.0) 5 year Tesla base case target is......  $7000, boom $TSLA upcase is $15,000

14132) 0.0) “Not retire anytime soon i will wait for 15k a share.” $TSLA  https://t.co/xWLyhOXsHA

14133) 0.0) “If Elon really wanted to, he could get back 900 just by announcing some dividend, even a small tiny dividend.” $TSLA  https://t.co/8EZqv8LG6V

14134) 0.0) Jim Cramer: Tesla’s pullback was inevitable, but the stock remains ‘too legit to quit’ 🚘🤖📶 “This is a unique technology company on wheels, with incredible growth,”  https://t.co/iXfSchBqQQ $TSLA #Tesla #EV

14135) 0.0) “Cramer is bullish.” $TSLA  https://t.co/Y2kTAAfDd9

14136) 0.0) Elon said it was on a par with the common cold. The common cold that has shutdown his brand new factory and its supply chains. $tsla

14137) 0.0) $TSLA  "Whether carwash or in the rain, there are Tesla owners making a claim that when they hit a puddle or go through a carwash, water flows into their vehicles."   https://t.co/yLBt7sQYEO

14138) 0.0) So I'm back from my dog's surgery and I see something happened today, $TSLA  https://t.co/Alafy6iSpv

14139) 0.0) Announcement Dates  🇺🇸 Giga Nevada: Sep'14  🇨🇳 Giga Shanghai: Jul'18  🇩🇪 Giga Berlin: Nov'19  🇺🇸 Giga Texas: Feb'20  It's accelerating. It's happening.  $TSLA #NotSellingAShareBefore10000

14140) 0.0) @HelperTesla This is only the beginning.  $TSLA #NotSellingAShareBefore10000

14141) 0.0) My 14-year-old son has been investing in stocks for some time now and as expected, he owns some $TSLA shares...so this was my convo with him just now:  https://t.co/6oDrMLfi5n

14142) -0.0129) 1st level chess. Musk is a genius 2nd.  he lies about everything 3rd.  Regulators don’t care 4th. Demand isn’t there 5th. Idiots won’t know cuz new markets 6th. But new market has plague 7th. Plague is exagerated 8th. Is it? 9th. $tsla is the iPhone. 10th. It was all bs

14143) 0.0258) Variations on a Theme in the Key of Fraud. Hey, @JohnnyFarmer69 , our earnest advice is bring a claim in small claims court, or retain capable counsel, immediately. Tesla screws its customers in all sorts of ways constantly. $tsla $tslaq

14144) 0.0) What is a "delivery" at $TSLA?  https://t.co/pkJ1tdpcSM

14145) 0.0) Over 22 Thousand people bought $TSLA for the first time on Robinhood over the last three days, reminds me of the peak alt coin days.

14146) 0.0) "You understand the question, right?"  $TSLA #NotSellingAShareBefore10000

14147) -0.024) Whoa whoa whoa. Cathie, I’m very confused. Your daily blotter shows that you didn’t purchase any $TSLA shares. Clearly that’s a mistake.  https://t.co/cNPh1cOZSr

14148) 0.0) '@ARKInvest founder @CathieDWood lays out the bull case for Tesla and why she thinks the stock is still heading to $7K $TSLA  https://t.co/BGbLir7ZXB

14149) 0.0) $TSLA Starter position. Was looking for a bigger dip after earnings to add but never came 🤦‍♂️  @stocktrader300  https://t.co/3zAvtnbN1G

14150) 0.0) $TSLA running two books?  A new whistle blower.

14151) 0.0) Q: “What would the valuation be at $7,000 per share?” A: “Let me tell you about genomics and 3D printing...” @CNBCFastMoney $TSLA

14152) 0.0258) Made a cool billion today shorting $TSLA no big deal just posting it on twitter so everyone knows.  https://t.co/t0EUOMvX3h

14153) 0.0) The Matterhorn or Tesla 1-week chart? $TSLA #teslastock #Tesla  https://t.co/3BO75CSmrc

14154) 0.0) when someone who doesn’t have $tsla gives you stock market advice  https://t.co/g5VsA8Qe41

14155) 0.0) Crispin Odey hit as bet against Tesla backfires  https://t.co/ePWdCFgMwZ via @financialtimes  $TSLA

14156) 0.0) $TSLA burning the candle on both ends. #longs #shorts  https://t.co/KmyGjbffB9

14157) 0.0) $TSLA now down 25% from its 52-week high.

14158) 0.0) Many of you are asking me about TESLA $TSLA. Elon has "got it", and that's why I gave away Two Tesla's on the Internet! $TSLA

14159) 0.0) This is what time @tradertaxCPA &amp; I started prepping for the $TSLA trade   Put in the work!  https://t.co/Sk0TTOFiZv

14160) 0.0) "It’s virtual money until you sell." $TSLA  https://t.co/7eFzkRrSrQ

14161) 0.0) "It's a casino and we don't have the keys to the machines." $TSLA  https://t.co/Cmk0CW2W4G

14162) 0.0) "I shoulda sold at least 30 minutes before the bell." $TSLA  https://t.co/Wdq2O7nNrh

14163) 0.0) "If I knew exactly where it was headed I would make a lot of money." $TSLA  https://t.co/LEvwJ2gCfH

14164) 0.0) "Bought 2 at $777.67 1 at $760 1 at $750." $TSLA  https://t.co/oddgjhp43c

14165) 0.0) If you made money on $Tsla put it into #bitcoin.   That way you can actually afford a Tesla in 2021.

14166) 0.0) "Little by little, I took a bite i’m tempted to get more." $TSLA  https://t.co/9WeVm2cfhn

14167) 0.0) .@elonmusk is strangely silent on this $250 decline in $tsla share price.

14168) 0.0) Owned 10 of these at 3.70 yesterday   I put a limit sell in at 20.  I took 4.50 instead  Only way to do it is enter your limit and not watch it.  That first carnage trade is done now, stay away   $TSLA  https://t.co/w69KV0Nqou

14169) 0.0) "ARK has a price target for over 5K++ yet they sell.   WHY?" $TSLA  https://t.co/6yZaRL3qVA

14170) 0.0) 1/ Short thread on  https://t.co/qHI9q9W9AY &amp; $TSLA

14171) 0.0) $TSLA volume by price  https://t.co/xCAg413IJW

14172) 0.0) Starting to scale into $TSLA here at $715 for the last bounce before it enters the next bear market for a period of time.

14173) 0.0) Live look at $TSLA longs...  https://t.co/zy1a90P1Yt

14174) 0.0) "I just put an order in to buy 20 more at $750" $TSLA  https://t.co/sTnu3fuWth

14175) 0.0) I'm short $TSLA from this morning at $800.

14176) 0.0) * $TSLA hits $700 *  Me: *starts talking massive smack*

14177) 0.0) Boyfriend: Did you know that when you type “should I” into Google, it auto fills to “should I buy Tesla”?    Me: Uh, Google thinks we’re very different people  $TSLA  https://t.co/NDhCN7RXqp

14178) 0.0) Hearing rumors that $TSLA is going to move its listing from Nasdaq to Binance.  😉

14179) 0.0) $TSLA is in an intraday bear market.  https://t.co/ZDDMXi1iIG

14180) 0.0) Where will $TSLA end the week

14181) 0.0) I cant wait to hear everyone talk about how they sold at $900 $TSLA

14182) 0.0) I was quoted in this piece by @stevelevine - "Making Sense of What May Be a Tesla Bubble":  https://t.co/0Sm8Hwtuwq $TSLA $TSLAQ  https://t.co/oXB7SakzxU

14183) 0.0) $TSLA covered my short at 705 from 900 entry

14184) 0.0) A lot of people are referring to the high in $tsla as the “iuorio top”...tons of people...I didn’t start it..other people...started it...

14185) 0.0258) $TSLA SHARES PLUNGE 21%, BIGGEST DROP ON RECORD

14186) 0.0) Remember the 4000 robinhood accounts that bot $700 and above $tsla

14187) 0.0) Correction: If you bought $TSLA yesterday, you got #GigaMusked  https://t.co/yThDOtK1PV

14188) 0.0) $TSLA is crashing  https://t.co/Hi5Q3pCTYm

14189) 0.0) $TSLA Reddit message board  https://t.co/dRXX2lMJYb

14190) 0.0) $TSLA April(17) 1,000 calls for $4.9M in premium

14191) 0.0) 🚨[New Video]🚨  How I Made $101,054.54 Betting Against $TSLA Stock!   https://t.co/GBe09KKCQq  *MUST SEE VIDEO*  @MyInvestingClub  https://t.co/T0csNRCK16

14192) 0.0) Shorts got a little taste of 1999 on $TSLA on Monday. Today they are getting a little taste of 2000. Who knows what year they’ll get tomorrow? 🤷‍♂️

14193) 0.0) $750 gonna explode one way or the other $tsla

14194) 0.0) See if you can spot the difference in the Google autocomplete suggestions for "Should I..." yesterday vs. today  https://t.co/7BKXPD2Fc5 $TSLA  https://t.co/yjmB6oruoH

14195) 0.0) #MrBackfire Tracking Update: The Gulfstream is at HHR. h/t One Who Knows.$tslaQ $TSLA

14196) 0.0) @RampCapitalLLC Or just buy $tsla calls blindly

14197) 0.0) $TSLA retail panic hasn't even started yet.  Lots of newcomers were comfortable with "long-term" price targets of $7,000 when the stock was going up...

14198) 0.0) Tesla START's TSTC (Texas State Technical College) Waco Branch Sets The Stage for Gigafactory Texas 🏭   $TSLA #Tesla #Giga5 #START    https://t.co/XbcleQy10a

14199) 0.0) Added today at $761 $TSLA  https://t.co/h8iALUcGIB

14200) 0.0) This.  $TSLA #NotSellingAShareBefore10000

14201) 0.0) *buys $tsla at $900 yesterday   *checks stock price today  *sends this email  https://t.co/JsuKVe1nk3

14202) 0.0) @orthereaboot @Tesla @PwC, which set of $TSLA books are you auditing?

14203) 0.0) The Feb 7th $TSLA 1880 calls are trading for 9 cents. Over 2,000 have traded today. Sources tell me that they are all being sold by @bennpeifert to finance his 4 year-old’s cheese addiction. 🧀

14204) 0.0) $TSLA drops amid news of Tesla China pushing back Model 3 deliveries over coronavirus outbreak  https://t.co/ixqN5YpnS4

14205) 0.0) TIL - Just keep buying calls. $TSLA  https://t.co/JuvOKXsLNT

14206) 0.0) Wasn't expecting this until Q1'20:  #TeslaKillerCemetery #TeslaEffect  $TSLA #NotSellingAShareBefore10000  https://t.co/ucxziNN7z5

14207) 0.0) the gang buys puts on $TSLA

14208) 0.0) $TSLA, the stock that makes a baggy out of everyone, long and short.  https://t.co/MVjBfiyOS6

14209) 0.0) +$82,121.04 on $TSLA today!  Biggest day of 2020 so far!  @MyInvestingClub  https://t.co/8d8NLnLbCV

14210) 0.0) That is comical $TSLA is now in a "Bear Market' as it is 20% off highs  @realmoney

14211) 0.0) Bro YeezyCookerNotifyAlertPings told me to buy $TSLA yesterday 🤦‍♀️

14212) 0.0) . @CNBC now saying live on air that $TSLA has entered Bear Market territory.  https://t.co/odCXdLOAw2

14213) 0.0) Why you don't ever chase charts far outside the upper Bollinger band exhibit #942  $TSLA  https://t.co/MC8u34RMN2

14214) 0.0) From my @business interview with @tomkeene Parabolic moves (e.g., $TSLA) nearly always fall back to the breakout price. @realmoney

14215) 0.0) Yesterday's $TSLA buyer?  https://t.co/XydmXS6rKg

14216) 0.0) RIP r/wallstreetbets today. $TSLA

14217) 0.0) $TSLA just entered a bear market  https://t.co/5Yyy2ZUNGI

14218) 0.0) Covered most 75% of those $1200 $1300 and $1400 calls i sold to get synthetically short yesterday in the ramp from $880-$920 from $7-$20. They are alll below $1. I only do this is VERY rare occasions. $tsla @RedlerAllAccess

14219) 0.0) Bingo these are $62 bucks $TSLA

14220) 0.0) $TSLA in a bear market

14221) 0.0) $tsla crashes into a bear market  https://t.co/4o9DZncGEf

14222) 0.0) $TSLA getting cornholed

14223) 0.0) If you bought $TSLA yesterday, you got #Musked  https://t.co/HjAOPFNXh8

14224) 0.0) cmon $tsla give me $600 end of week (or day)

14225) 0.0) Closed out the $TSLA 2/7 900s puts, +200%+ overnight

14226) 0.0) Ladies and Gentlemen, we got it. $TSLA  https://t.co/N4vl3hMPD9

14227) 0.0) $TSLA is still in the 800 club.  https://t.co/ynhEMluwQS

14228) 0.0) $TSLA updated  https://t.co/4TZB4KF4K8

14229) 0.0) It's not even 10:00 AM and the volume is already at 9M.  I'd say at least 7M of that is selling, 2M is buying.  $TSLA

14230) 0.0) The moment when I told them I was shorting $TSLA  https://t.co/OBszA4WOBN

14231) 0.0) Has Tesla Peaked? A Historical Chart Study $TSLA  https://t.co/7jK0ViCRLO  https://t.co/oyteiVCqjx

14232) 0.0) Right now, if you’re checking the stock price instead of watching the full Ron Baron interview, you’re not doing it right.  $TSLA #NotSellingAShareBefore10000

14233) 0.0) $TSLA just your standard $70 point bounce.

14234) 0.0) Tesla drops more than 8% at the open after delaying Model 3 deliveries in China due to coronavirus; $TSLA had soared as much as 20% on Tuesday.  https://t.co/EyBqCA5pNN  https://t.co/z9M5eGSJJG

14235) 0.0) Hey kids $775 is a bear market print  $TSLA

14236) 0.0) If you bought $TSLA at $968 yesterday afternoon...  https://t.co/7k9MIhEoWO

14237) 0.0) I am out of my $tsla short...

14238) 0.0) Folks who went long Tesla at $970 yesterday waking up this morning to see the stock at $835  $TSLA $TSLAQ  https://t.co/jDajvm44aM

14239) 0.0) I’m adding $tsla at this level said a guy who started investing yesterday cause he saw a YouTube video showing it going up 10% everyday

14240) 0.0) Do you know some other bond trading for premium with CCC rating? $TSLA  https://t.co/2DBZ3UXY9G

14241) 0.0) Still works.  $TSLA  https://t.co/msevEiWlFV

14242) 0.0) Stocks do this.....so if you are a long term invested ...relax...go about your day. Elon's got your back.  $tsla  https://t.co/ZTJBZDYlWU

14243) 0.0) $TSLA price ~80% above average price target  https://t.co/Qkw0BLaCp3

14244) 0.0) $TSLA PT RAISED TO $300 FROM $200 AT BARCLAYS  https://t.co/Z8lirst6M1

14245) 0.0) Tesla Commands 70% of Australia's EV Market Despite Government's Pro-Coal Stance  $TSLA #Tesla   https://t.co/sFIfHS73B7

14246) 0.0) Without looking I can only assume $TSLA is up 10% pre-market

14247) 0.0) Ex-Tesla short-turned-bull bets against $TSLA again: ‘Even Elon would short the stock here’  https://t.co/2AZLmLbJPI

14248) 0.0) Me going to get my #HW3 today k baiiiiiiiiiii #tesla #FSD #MyFutureRobotaxi $TSLA  https://t.co/7OMWUk3E6s

14249) 0.0) New MacroTourist Post  YOUR IMAGINATION IS HAVING PUPPIES   https://t.co/k67bOm4aOu  $tsla short initiated...  https://t.co/tqWQLdoN0A

14250) 0.0) $TSLA down 3% pre market

14251) 0.0) Current “Giga” factory status  Nevada: 30% complete Buffalo: Not meeting minimum staffing requirements  China: Shuttered due to #Coronavirus Germany: Clearing WWII bombs  $tsla $tslaq

14252) 0.0) It's AWAKE!  $TSLA @Tesla  @elonmusk  https://t.co/cXou0lY2QJ

14253) 0.0) Not financial advice to anyone... But 10x SHORT $TSLA - n0000w!

14254) 0.0) Ron Baron, full interview:  $TSLA #NotSellingAShareBefore10000   https://t.co/qQLHbwrPF7

14255) 0.0) $TSLA #TSLA --- Still Room to Run -- Long-term Log Channel.... ???  https://t.co/fWEWXad3t8

14256) 0.0) Say it ain't so Jed. Say it ain't so  Tesla downgraded to hold from buy at Canaccord Genuity   Firm cites valuation  Target remains $750  $TSLA  https://t.co/k6KJswF7MI

14257) 0.0) I you are bummed about the $TSLA price right now just remember that it's still $0.01 higher then it was 23h34min ago  @Tesla  #Perspective!  https://t.co/LwMt8ThlRh

14258) 0.0) Vote “yes” to a Gigafactory in Texas!   $TSLA #Tesla 🇺🇸 #GigaAustin  #cybertruck #TeslaSemi  https://t.co/YXZnoN6W7g

14259) 0.0) $TSLA sliding on production halts in China #coronavirus - it took people this long to figure that out?  https://t.co/XqEuoF1FVB

14260) -0.0258) 99.99% of people don’t own $TSLA  99.99% of people don’t own @Tesla  And I don’t know which is crazier...

14261) 0.0) $Tsla downgraded to Hold from Buy at Canaccord

14262) 0.0) I can't tell if it's implying that there's some connection between the Fed's repo activities and $TSLA, or whether it's just a size and scope comparison, but either way.

14263) 0.0) What the heck happens to $TSLA after closing and premarket?  https://t.co/NBFCTuMbcv

14264) 0.0) $TSLA plummeting to prices not seen since (checks notes)... Tuesday.  https://t.co/YhiEdkljQ5

14265) 0.0) Except if it moves the stock  Then we'll start talking about the stock again  $TSLA

14266) 0.0) The main reason for Giga Texas is SpaceX  @elonmusk would most likely build a stainless steel producing factory to supply both @SpaceX and @Tesla  That factory would either be part of #GigaTexas or SpaceX or completely independent but close by.  $TSLA

14267) 0.0) No, not unless Texas allows direct selling  $TSLA

14268) 0.0) Reminder: Tesla barely a car company and was never even close to a tech company. #TheSociopathicBusinessModel #FraudFormula $TSLA

14269) 0.0) Why $tsla is going to go to $4,200 (1/69)

14270) 0.0) Hitting up the BBC radio in 25 min at 10:15 pm pst. Hello England! $tsla #tesla

14271) 0.0) $TSLA to $1000 tomorrow?

14272) 0.0) He got told. $tsla  https://t.co/ojd9iKHoJQ

14273) 0.0) Shouldn't have sold my calls $tsla

14274) 0.0) $TSLA this thing is so parabolic, I can't even draw a trendline on it. Monthly chart.  https://t.co/Yr26MRmlFx

14275) 0.0) @KingPickleRick1 @TeedoubleA Prediction: $TSLA Q1 2020 deliveries around 60K (worldwide).

14276) 0.0) $tsla shorts ripping Up their January statement #StateofTheUnion

14277) 0.0) Elon Musk every time he receives a supplier invoice $TSLA   https://t.co/spzqihYrj8

14278) 0.0) This dude is up $4.3M on $TSLA calls  Let that sink in while you scalp $5 tomorrow  https://t.co/6JvlNQWLon

14279) 0.0) @au___leo @AlternateJones @phonezawphyo @thirdrowtesla I can’t feel my legs anymore!  $tsla ; )  https://t.co/5eVRI0hH2Z

14280) 0.0) Ride of the Valkyries - Tesla longs on a mop up operation. $tsla  https://t.co/s1mCP94w63 via @YouTube

14281) 0.0) At today’s market close, $TSLA market cap is 164B vs 202B for Toyota. Is Toyota going to be dethroned anytime soon? Time will tell.  https://t.co/fY7dMzP23K

14282) 0.0) From The New Republic. $TSLA  https://t.co/pGCMAx3gaz

14283) 0.0258) Approximate time taken for $TSLA to reach where it was in today’s trading session:   $300 to $400: 976 days $400 to $500: 25 days $500 to $600: 18 days $600 to $700: 3 days $700 to $800: 1 day $800 to $900: 15 minutes   $900 to $1000: how long?

14284) 0.0) If Trump brings up $TSLA in the #SOTU I’m shorting it tomorrow

14285) 0.0) "Some of it is completely incomprehensible..." $TSLA

14286) 0.0) Is the $TSLA halvening priced in?

14287) 0.0) ‘Tesla is uniquely positioned. Ross Gerber, CEO of $1.1 billion Gerber Kawasaki, noted that through the auto, solar and battery business Tesla is “creating a sustainable future for people in one company.” $tsla    https://t.co/92xc2bDZXI

14288) 0.0) It’s obviously the competition is not coming. $TSLA  https://t.co/sw7qU3Fppq

14289) 0.0) Let's see if we get some "railroad tracks" up here... $TSLA  https://t.co/dALelsfbGl

14290) 0.0) I wanted to short $TSLA right at $300 in fall of 2018.   Today it went over $950/share.  I have studied finance for almost 4 years. This just proves I know absolutely nothing.

14291) 0.0) Should I sell? $TSLA  https://t.co/jWCtjo6xG7

14292) 0.0) Today Tesla $TSLA option volume and implied volatility hit all time records. 1.32 million $TSLA option contracts traded today with  calls leading puts 4 to 3 2/7 weekly options made up 60% of this volume.

14293) 0.0173) Imagine if you'd gotten into $TSLA at the IPO. You wouldn't have, unless you had foresight made of Vibranium, w/ the FUD Tesla was going through at the time. Sounds familiar, right? Keep that same energy w/ legit coins, and you'll be fine. #TRX #BTC #IGG #BTT #BTZC  https://t.co/WfSyEwn7Ho

14294) 0.0) Where are you guys shorting $Tsla?

14295) 0.0) Sir, I have $14.   Should I buy $tsla microstocks?  @elonmusk

14296) -0.0258) If Zerohedge were still here they would be tweeting an article about how China has been confiscating the coronavirus victims money and turning around and buying tsla stock with it, bidding $tsla up to almost a thousand dollars per share.  And most of you would believe it. 🙄

14297) 0.0) After extensive analysis, I have discovered that the follower maximizing Twitter strategy is to just say repeatedly say bullish stuff about whatever is pumping.  So, how about that $TSLA, right? 🚀🚀🚀

14298) 0.0) There’s a time to go long There’s a time to go short There’s a time to go fishing  Jesse Livermore  😉  #tesla $tsla  #qotd

14299) 0.0) You guys think we are getting another $100 run on $tsla before market open tomorrow?

14300) 0.0) I bet $5000 versus a 30 year old jew that $TSLA will be under $920 on market close Friday (7th)

14301) 0.0) $TSLA junk rating due for an upgrade?!   @VickiBryanBondA?

14302) 0.0) $TSLA trade was 100% by design  Note how they waited for 3:45PM to pull the goalie?  Had they done it earlier it would have slammed into a circuit halt.   Given that circuits are while 930-945AM and 345-4PM they waited for the extra wiggle room.  Otherwise circuit &amp; 0 liquidity.

14303) 0.0) Things that Traders Say On Social Media  "I just put 100% of my portfolio on..."  $TSLA

14304) 0.0) Skin in the game  $TSLA is now over 70% of my stock portfolio aka fiat saving acct from previously only 20%   Disclaimer not a financial advice here for boomers  https://t.co/gh2vjovSrz

14305) 0.0) As a New York sportscaster used to say, let's go to the videotape (so to speak)... my appearance on @CNBCClosingBell live from a #TelAviv rooftop with @saraeisen and @wilfredfrost discussing $TSLA, #EVs and the future of #Mobility  https://t.co/vYOmqbQvar

14306) 0.0) Very early indications showing Tesla shares sold short continuing the trend/momentum lower via covering.  Anticipate notional short exposure still topping $20 billion due to surging stock price...stay tuned @S3Partners @ihors3 $TSLA #Tesla #TSLA

14307) 0.0) I was way off but not really... $TSLA

14308) 0.0) A 30% pullback from the high brings $TSLA back to $676.   Or yesterday’s opening price.

14309) 0.0) That’s called the end of day margin call Tesla $TSLA  https://t.co/NmKIsB7FMX

14310) 0.0) And the circle is complete. $TSLA  https://t.co/TLQOUWNlAk  https://t.co/mEqei9tvTU

14311) 0.0) Would you believe yourself? h/t:@ArtisanLoaf $tsla  https://t.co/poURLj65Ci

14312) 0.0) $TSLA - When Tesla opens up another 20% tomorrow morning, the stock will be above $1060

14313) 0.0) Today Ross Gerber top-ticked Tesla  today. $TSLA

14314) 0.0) Today's market lesson: $TSLA #teslastock  https://t.co/jfaUFAd4tP

14315) 0.0) I learned my lesson. Will sell my $TSLA when @SatoshiLite sells his

14316) 0.0) How many short sellers are left on Wall Street 🤔  @OpenOutcrier @TheDomino  @StockCats @DiMartinoBooth  #tesla $tsla #stocks

14317) 0.0) $TSLA high of $968.99.  Now $90 lower on a Holy-Crap 58mm shares.  https://t.co/KQHwSRGz34

14318) 0.0) $TSLA is "currently the largest short in the domestic market with more than $15.8 billion bet against it" according to S3 data. #tesla #shortinterest #s3data #Bloomberg    https://t.co/teZqAMienR

14319) 0.0) Who is holding $TSLA for the $100 point gap down?

14320) 0.0) Every $TSLA short that covered today at $900-$970  https://t.co/4ooimP7wt2

14321) 0.0) $TSLA   Drops over -11% in under 10 minutes.   When did #Tesla stock turn into #Bitcoin ?  https://t.co/PgCTofHGJm

14322) 0.0) $TSLA doubled my short position.

14323) 0.0) is it too late to put my life savings in $TSLA

14324) 0.0) QE for $TSLA NOW!

14325) 0.0) $TSLA tanking to prices not seen since breakfast!!!!

14326) 0.0) $TSLA suddenly out of gas. Bye bye levered longs

14327) 0.0) massive sell program hitting $tsla  https://t.co/ap0g94QX31

14328) 0.0) Expected move in $TSLA for the next 45 DTE is over $300 ahahaha

14329) 0.0) In late May 2013 Tesla was 186% above its 200-day MA, trading at $110. It consolidated for about a month, then hit new highs again in early July, running up to $195 by September.  But it was a $13 billion company back then. Today it's market cap is above $170 billion.   $TSLA  https://t.co/HD0g6J1n5E

14330) 0.0) @jimcramer JIMMY CHILL! I need you to put $TSLA into context for me right now! Up 23.11% to $960.27!! What does this even mean!? What if it breaches $1,000 today!?  https://t.co/eFWiHSi7AC

14331) 0.0) Timing a $TSLA short sale:  https://t.co/FfVQwRO7kK

14332) 0.0) $TSLA should buy WeWork

14333) 0.0) At $961, Tesla is now 223% above its 200-day moving average, the largest spread in its history. $TSLA  https://t.co/PwAiBqZzZY

14334) 0.0) a 40% decline in $TSLA from right here takes it back to where it closed at the end of January.

14335) 0.0) $TSLA's RSI (relative-strength index) hit an all-time high of 94 today.   Bitcoin's RSI hit a record of 91 just 11 days before its peak in mid-December 2017. $TSLAQ  https://t.co/2yCI1dUVDf

14336) 0.0) Will $TSLA hit $1,000:

14337) 0.0) .@neelkashkari, is $tsla a bubble?

14338) 0.0) $TSLA gif contest – How do you feel about the #Tesla stock move? For me, it's:  https://t.co/VzQEP8SS2r

14339) 0.0) Long day at work and then your brother texts you to remind you he bought $TSLA at $250 🙄

14340) 0.0) Me checking $TSLA every five minutes  https://t.co/i4wPjr1gUl

14341) 0.0) In last 3 sessions, #Tesla had added more than total market cap of Indian auto sector .  I am just trying to wrap my head around the depth of US markets! $Tsla

14342) 0.0) Tesla new record high: $951.01   https://t.co/TeUc3aongC $TSLA

14343) 0.0) this is what happens when central banks print too much money $tsla  https://t.co/lyyrLV8LmS

14344) 0.0) .@elonmusk has made $20 MILLION an hour so far in 2020! @robtfrank has the details. $TSLA  https://t.co/IUIA3DUMZY

14345) 0.0) $TSLA surges 21% to session high.  https://t.co/IvONMf2YR0

14346) 0.0) Everybody who didn’t buy $TSLA yesterday because they thought it was already too high. (Including myself)  https://t.co/ufdLXQ1Pyv

14347) 0.0) I wonder how many $TSLA Shorts have blown out their accounts on this move. This is a career ending kind of squeeze. EPIC!

14348) 0.0) Getting up &amp; learning that the Saudis sold out of $TSLA in Q4 👇  https://t.co/8uSI9yrftV

14349) 0.0) $TSLA gaps DOWN tomorrow.  Say it now

14350) 0.0) My trading partners are thinking $TSLA hits $1000 tomorrow....  Just passing the message along  https://t.co/p0DugT9E9a

14351) 0.0) Wake me when $TSLA hits 100 RSI  https://t.co/aEvgPDAcpu

14352) 0.0) $TSLA NHOD line up the body bags

14353) 0.0) CNBC:   We need you work late tonight  and compare Teslas Market cap  to every company in the world   😉 @StockCats @DiMartinoBooth  @TheDomino #tesla $tsla  https://t.co/qWZRzgyVCb

14354) 0.0) Elon Musk Says He'll be at Giga Berlin's Foundation-Laying Event  $TSLA #Tesla #GF4 #Germany   https://t.co/GB4Ctbxazp

14355) 0.0) When will we see $tsla hit $1,000?!?

14356) 0.0) Things I learned in 1999/2000...never front run a short into a parabolic stock move up...ever. $TSLA $TSLAQ  https://t.co/d02I6GkwjZ

14357) 0.0) $TSLA $1,500 call that expires &lt;Friday&gt; has traded 23k contracts $3.20 last

14358) 0.0) Me selling $TSLA at $400 after buying at $250 because I thought it might be too volatile going forward and I already made money on it.  https://t.co/ONnGw1TSCA

14359) 0.0) @TheBootMex I shorted $TSLA at $852 today and liquidated

14360) 0.0) Ron Baron: Tesla could hit $1 trillion in revenue in 10 years 🏣🚘🔋 “This could be one of the largest companies in the whole world!”  https://t.co/wkZuGXqk5v $TSLA #Tesla #EV  https://t.co/7lEnWYWFdH

14361) 0.0) if $tsla gets to $1000 they have to put it in the S&amp;P 500 its a rule

14362) 0.0) What are your thoughts about this?  $TSLA  https://t.co/4Xi687mPI8

14363) 0.0) Every single Tesla short right now. $TSLA @elonmusk  https://t.co/BxGKiTpTfY

14364) 0.0) Just to head this off - when $TSLA corrects, bears are not allowed to claim victory unless price goes under what it was when TESLAQ was doubling-down on shorts in May 2019 (ie, &lt;$200).

14365) 0.0) Elon is the real Satoshi  $TSLA is the real Bitcoin

14366) 0.0) Earth Brain: $tsla goes to $1000 and you make money on calls  Galaxy Brain: $tsla goes to $1000 and you make money on puts

14367) 0.0) How do you feel about having sold your $TSLA stock last year?  https://t.co/He1q7I3rOW

14368) 0.0) Since yesterday, 15,000 new $TSLA holders have a cost basis above $800 on Robinhood  https://t.co/7sIHPV3fxi

14369) 0.0) Monday: $TSLA +20% Tuesday: $TSLA +18% Wednesday: ¯\_(ツ)_/¯

14370) 0.0) $TSLA im taking a short position now.

14371) 0.0) When will @coinbase list $TSLA?

14372) 0.0) We'll be taking an even closer look at $TSLA options tonight on @CNBCFastMoney 👀

14373) 0.0) Decided to throw an extra $1100 into $tsla yesterday and ka-fuckin-BOOM  https://t.co/iPkYm6a4cR

14374) 0.0) 🇸🇦 SAUDI FUND SOLD MOST OF $TSLA HOLDINGS.................  Wait for it..............................  .............In Q4 of last year.  https://t.co/uGNRNdXyVQ

14375) 0.0) SAUDI FUND SOLD MOST OF $TSLA HOLDINGS

14376) 0.0) Saudi fund sold almost all $TSLA holdings in Q4 - Bloomberg (ouch!)

14377) 0.0) $TSLA BULLS LATELY !  https://t.co/9KUk43jSmM

14378) 0.0) So now that $TSLA is sporting a $160bn market cap, New York will hold them to their gigafactory obligations, right?

14379) 0.0) So, what is $TSLA ‘s market cap? That’s the $164 billion question....

14380) 0.0) just bought another $tsla sacrificial put so that we can throw another $100 on the stock price for my $1000 calls.  https://t.co/Sb0C7L7VED

14381) 0.0) mfs are quick to INVEST in $TSLA, but can’t INVEST time into their families 💯💯

14382) 0.0) #MarketWatch NASDAQ hits record high, pushed by $TSLA

14383) 0.0) Yesterday was $TSLA's highest single day trading volume ever.

14384) 0.0) "If Thomas Edison and Henry Ford made a baby... that baby would be called Elon Musk."   Morgan Stanley's Adam Jonas weighs in on $TSLA  @CNBC @morganlbrennan @carlquintanilla @jonfortt @elonmusk  https://t.co/HxJyzbAcvv

14385) 0.0) Ron Baron has $1B in Tesla stock and says it’s far from over: ‘I’d buy more’ $TSLA  https://t.co/jnS8sNcibc

14386) 0.0) Here's Elon Musk - a Stanford trained physicist and founder of Tesla $tsla speaking on solar panels at a conference somewhere.  https://t.co/tBG8K6coce

14387) 0.0) It’s still not a $TSLAQ short squeeze, but I’m starting to see pre-squeeze signs.  $TSLA #NotSellingAShareBefore10000  https://t.co/5drjbV0pWG

14388) 0.0) It’s the end of the “ICE” age people   Wake up call.  $TSLA

14389) 0.0258) My brother, who bought $TSLA at ~250 thru my recommendation and has no in-depth knowledge about the company, is completely baffled by the rally.  I had to show him the Autonomy Day video again to make sure he doesn't sell. 🙅‍♂️  https://t.co/nvQecQ7Ijy

14390) 0.0) 3rd round at $907. $TSLA

14391) 0.0) Is this "the" short squeeze?  $TSLA

14392) 0.0) One day we’ll look back at this time and think about how Elon danced unapologetically, released an EDM song and $TSLA stock soared.

14393) 0.0) So @snipertrader21 was asking me about this door....  $TSLAQ $TSLA  #tradingIsEasy  https://t.co/A9wknOHBMd

14394) 0.0) bout to take an exploratory trip to Petco on my lunch break @KingPickleRick1 @BloodsportCap $tsla

14395) 0.0) $TSLA +10% is the new down day

14396) 0.0) I heard the Chinese are buying $TSLA

14397) 0.0) #MarketWatch $TSLA continues to soar, surpassing $900/share and pushing its market cap above $160 billion — higher than Netflix

14398) 0.0) $TSLA this is freakin’ addictive 😳🤯🤪  https://t.co/jYbJyihOW7

14399) 0.0) $TSLA is basically trading $1b every five minutes right now and it is historic

14400) 0.0) I have posted a few times about the geocentric Jupiter Transit Natal Jupiter cycle. If we take the IPO date of 6/29/10 &amp; the birth of N.Tesla 7/10/1865 $TSLA has two cycles that have synchronized (during a very bullish part of the cycle) Unprecedented expansion.  https://t.co/lqPjLNfLKs

14401) 0.0) So far, the Annual Yr4 pivot point is resistance on $TSLA.  https://t.co/eKlNDiU59a

14402) 0.0) "Even Elon would short $TSLA here if he was a fund manager"

14403) 0.0) When even big boys publicly go short $TSLA .... it’s a sign there is only a way from here .., and the way is DOWN DOWN DOWN

14404) 0.0) Sold some more $tsla buying a model x today  https://t.co/K2LJkOM7SP

14405) 0.0) $TSLA up around 89% since this tweet

14406) 0.0) Just covered 2nd short at $870 for another $60K. $TSLA

14407) 0.0) My ex gf started following me on Facebook, she must have heard I’m long $TSLA at $900.

14408) 0.0) $tsla when people claim to have been long this whole time, this is what they really mean.  https://t.co/e1k7Muu6AQ

14409) 0.0) it's official @elonmusk discovered $TSLA time travel  https://t.co/Y9ZIMNSOch

14410) 0.0) Tesla crosses above $800 and $900 for the first time, a day after hitting $700 and less than a month after hitting $500.   $TSLA  https://t.co/uO6AlLkeDp

14411) 0.0) Last summer we were rooting for $tsla to go $250... last summer! Let me recycle the video we made next to the Hudson River as we now root for $1,000 and a sustainable future. Go @Tesla!  CC: @Elonmusk @Mayemusk @ToscaMusk  https://t.co/T2mrr0hgbx

14412) 0.0) @QTRResearch I don't think we can imagine the ride down yet...keep your mind open to the possibilities @QTRResearch with this $TSLA crowd and the net new buyers of this stock the last few days (see below for the types of new stock owners).  Right @jedimarkus77  https://t.co/TiKdtDrtV5

14413) 0.0) The ride down on $TSLA is going to be something to behold, whenever it happens

14414) 0.0) If you were long $TSLA and you didn't tweet about it today, were you ever really long at all?

14415) 0.0) $TSLA must be how bitcoin buyers felt early on.

14416) 0.0) Does $tsla break $1k today?

14417) 0.0) $tsla owners right now.  https://t.co/wxA8djlM6l

14418) 0.0) Can't trade $TSLA without this on your desk   https://t.co/gK39NukGjB

14419) 0.0) Tesla is up over 120% ... this year. $TSLA  https://t.co/gKARRZCCxX

14420) 0.0) $TSLA RSI goes above 97. I cant find any stocks from the  https://t.co/GuKT4srByN era that had such a higher RSI. @carlquintanilla @davidfaber @jimcramer @tomkeene @cnbcfastmoney

14421) 0.0) Tesla $920 - actually maybe I move to mars.  Who’s coming! $tsla

14422) 0.0) All $tsla owners this morning  https://t.co/Ul4Qshcd1y

14423) 0.0) ... of things to tweet about. Just sitting here watching my $TSLA stock and not selling.

14424) 0.0) $TSLA $1,500 calls expiring THIS friday, trading $8.00.....

14425) 0.0) Tesla new record high: $940.00   https://t.co/qDMbP4Qei2 $TSLA

14426) 0.0) $TSLA and S&amp;P futures right now  Normal  https://t.co/FcDMPctxV7

14427) 0.0) Ok, maybe now $TSLA = Volkswagen #GIK

14428) 0.0) Watching this $TSLA run makes me finally understand what everyone who didn't own #bitcoin during the 2017 bull run felt

14429) 0.0) Tesla new record high: $916.00   https://t.co/qDMbP4Qei2 $TSLA

14430) 0.0) seeing lots of ppl trying to short this $TSLA move all the way up  did ashdrake teach you nothing?

14431) 0.0) For a brief moment I saw $TSLA trading at $902 just now. Unreal!

14432) 0.0) Wake me up when $TSLA gets to #NotSellingAShareBefore10000

14433) 0.0) Updated $TSLA chart  y = mx + b  https://t.co/H99NSqgExH

14434) 0.0) Imagine closing your trade at weekly resistance. $TSLA  https://t.co/SyaCl7FsJk

14435) 0.0) The technical pattern of: weeeeeeeeee $TSLA  https://t.co/UxOGfbUyjB

14436) 0.0) Quote of the day by @FerroTV  "If you've been short $tsla this year ; you've had your face ripped off"

14437) 0.0) $TSLA will close down today. #RampStamp

14438) 0.0) I am not saying that Twitter mentions of "coronavirus" leads the $TSLA market cap but I am not saying that it does not, either.  https://t.co/8jKYU8G2qz

14439) 0.0) Guess what time $Tsla will hit 1K!

14440) 0.0387) When you want to short $TSLA .... but seen to what happened to others who dared  https://t.co/mHeROdICle

14441) 0.0) If Animal Spirits doesn't do an entire pod on $TSLA I'm unsubscribing  @michaelbatnick @awealthofcs

14442) 0.0) $TSLA leapfrogged the $800 range pre market today, going from $780 to $901 🐸🤪👍🏻  https://t.co/3fzmWsGhJy

14443) 0.0) You know what we need? Tweets about $TSLA market cap.

14444) 0.0) "Replace Elon as CEO" they said  Meanwhile, I'm just wondering what was in that sh*t he smoked w/ @joerogan   $TSLA  https://t.co/jaXiUXOflZ

14445) 0.0) At first, all the Tesla shorts were getting smacked on the nose with a folded newspaper a couple weeks ago.  Now Tesla shorts are getting a waterboarding while their legs are getting run over by the  CyberTruck!   Ouch!  $TSLA

14446) 0.0) This may be one of the most epic short squeezes we will ever see. $TSLA #TSLA

14447) 0.0) @markets $TSLA up 37% since this

14448) 0.0) Tesla's monster bull run continues as $TSLA soars past $880 in Tuesday pre-market  https://t.co/KOhCM0spft

14449) 0.0) 45 minutes before the open and $TSLA has already traded over $3 billion in volume.  Nutty.

14450) 0.0) Just curious-how many of the numbers, besides stock price, did Mr. Baron actually get correct on CNBC?  $tsla

14451) 0.0) @TheBootMex they added $TSLA on bitmex?

14452) 0.0) Me seeing $TSLA at almost $900, when I sold it at $530  https://t.co/fbRa6xRlux

14453) 0.0) Heads up $TSLA bulls....   CNBC is now tracking the ticker on the bottom on the screen.  You know what that means!  https://t.co/tchTzMsR62

14454) 0.0) Me hearing $tsla up another 100 after waiting on a pullback before jumping in again  https://t.co/IOFx2b3uVE

14455) 0.0) The other question... what can traditional auto makers do to survive into the #Tesla era? If anything. $TSLA  https://t.co/sJlZ5bYFoy

14456) 0.0) 🐻: “FRAUD! $TSLA skipped the 800s! SEC! Paul! PlainSite!”  https://t.co/Fj3CFY0SwG

14457) 0.0) And to think   the Saudis could have owned it for $420         $TSLA

14458) 0.0) Poll: what will Tesla hit first? $TSLA

14459) -0.0191) If you're #NotSellingAShareBefore10000, then what happens to $TSLA on the way shouldn't matter to you.  https://t.co/XdNoOmWltt

14460) 0.0) $TSLA stock over the last two months, updated  https://t.co/YlqijqsGHi

14461) 0.0) Ron Baron Says Tesla ( $TSLA ) Could Make $1 Trillion In Revenue In 10 Years [Video]   https://t.co/CO6aV1pDSB

14462) 0.0) $TSLA new highs, $905

14463) 0.0) At $161 billion, Tesla now has a higher market cap than GM, Ford, Fiat Chrysler, and Daimler ... combined. $TSLA  https://t.co/yoeMpm5UaN

14464) 0.0) Craig Irwin, $TSLA bear on CNBC rn 👇  https://t.co/790AphbEAv

14465) 0.0) I sold all my $tsla stock at $350

14466) 0.0) @MikeEdward_TTG I’m old enough to to remember an hour ago When $tsla was $840

14467) 0.0) Did China pump that whole $71B into just $tsla?

14468) 0.0) Ron Baron Says Tesla ( $TSLA ) Could Make $1 Trillion In Revenue In 10 Years  “It’s the beginning”   https://t.co/WjbT0cbDzJ

14469) 0.0) People who bought #Bitcoin in December 2017 out here buying $TSLA now.

14470) 0.0) $TSLA up $122 in pre-market trading, currently sitting at $902.   It was $451 on January 6.  2× in 30 days 🤯

14471) 0.0) Say it ain't so  $TSLA Tesla downgraded to neutral from buy at New Street Research  Target remains $800.  Analyst is Pierre Ferragu

14472) 0.0258) Benevolent Elon was only looking out for $TSLA bears when he said shorting should be illegal.  https://t.co/iuROJjh0IH

14473) 0.0258) $TSLA breaks abv $900 shorts are getting destroyed and the buying continues to stay strong.

14474) 0.0) $TSLA hits $900 pre-market, up 16%. Epic short squeeze.

14475) 0.0) $TSLA hits $900 @elonmusk  $300 to $400: 976 days $400 to $500: 25 days $500 to $600: 18 days $600 to $700: 4 days $700 to $800: 1 day $800 to $900: 4 hours  h/t to @mdbaccardax for kicking this off yesterday  https://t.co/hoUIU52OeR

14476) 0.0) Call of the century 🐐 $tsla #kazonomics

14477) 0.0) Will $TSLA skip right over the 800s (in regular trading)?

14478) 0.0) "Watch this KJ" Winternomics dissecting the sentiment of the $TSLA bottom on #rekthour with @koreanjewcrypto  October 9th. That timing too, exactly before the breakout. Unrivalled accuracy.  https://t.co/URl8UdGC7L

14479) 0.0) I made a lot of money while I was sleeping. $TSLA  https://t.co/LLrH1fQe42

14480) 0.0) $TSLA shorters this morning.  https://t.co/3PAgXLxhiq

14481) 0.0) Tesla is up another 13% in pre-market trading. Totally normal for a 12-figure company. $TSLA @MylesUdland  https://t.co/57Jktuk9QW  https://t.co/Us6sEMOv9O

14482) 0.0258) Really looking forward to another day of talking about $TSLA  Sigh.

14483) 0.0) “Not selling a share.” “This is the beginning.” - Ron Baron on $TSLA $800+

14484) 0.0) I'm hearing reports that $TSLA bulls are eating Beyond Meat burgers as they watch the pre-market.

14485) 0.0) Borrowed $100 mil $TSLA in one second, if it was about a squeeze that wouldn't happen

14486) 0.0) $Tsla downgraded to Neutral from Buy at New Street

14487) 0.0) Workout video coming your way before the open! Just finished my run and speaking of running, $TSLA THROUGH $850 in the pre!! @elonmusk  https://t.co/vpfjpT5vBW

14488) 0.0) Ron Baron Says In 10 Years, Expects Tesla Revenue To Be $1T+! 📈  He ended the interview by saying, “it’s just the beginning..”  $TSLA #Tesla  https://t.co/rsoCZImCje

14489) 0.0) At what point does @elonmusk tweet “Tesla Blockchain” to take $TSLA over $1000?

14490) 0.0) Holy short-hell batman $TSLA $870  https://t.co/qH6Mj8AFNj

14491) 0.0) did all of china's stimulus go into $tsla?

14492) 0.0) $TSLA going parabolic

14493) 0.0) The hype machine in full swing: Guy who owns $TSLA stock says the company will hit $1 trillion in revenue in 10 years Tesla reported revenue last week of $24.6 billion for 2019   https://t.co/QaoZrlcuC5

14494) 0.0) I'm old enough to remember when $TSLA price was $850  https://t.co/bEeh8ecajW

14495) 0.0) Ron Baron seems to be in @ValueAnalyst1 camp. Says he is, “Not selling a single share”    $tsla #Tesla #CleanEnergyWillWin   https://t.co/rrdBC9j0bj

14496) 0.0) Einhorn_David  has left the chat.  $TSLA

14497) 0.0) I'm old enough to remember when the stock price was 750  $TSLA  https://t.co/eoegQUI0l9

14498) 0.0) OMG.   $TSLA up another 9% pre market    https://t.co/009yQHEETr  https://t.co/M4OqAzJZOq

14499) 0.0) Ron Baron last words on today’s CNBC show about Tesla:   “It’s the beginning”  $TSLA

14500) 0.0) BILLIONAIRE INVESTOR RON BARON SAYS IN 10 YEARS, TESLA'S REVENUE WILL BE MORE THAN $1 TRILLION $TSLA

14501) 0.0) Waking up to see $TSLA up another $73 this morning....  https://t.co/e2CvRXqTBO

14502) 0.0) Ron Baron on Tesla $TSLA  Company could generate $750 bln - $1 trillion in annual revenue in 10 years on the car business

14503) 0.0) As @ValueAnalyst1 says...HOLD. $tsla

14504) 0.0) $TSLA $846 new all time highs premarket  Jesus they are going to bid this to $1000 aren’t they

14505) 0.0) When Cathie Wood (ARK) couldn’t buy more $Tsla (rules) she bought Options and got a  6,000% Return!  👏   How does all your ARK trolling feel now $tslaq?   https://t.co/r87e2oxCcI

14506) 0.0) “They have potential for $1T in revenues within 10 years ... This could be one of the largest companies in the world,” says legendary investor Ron Baron on $TSLA  https://t.co/0QXDrKCG72

14507) 0.0) State of $TSLA shorts  https://t.co/d4ccS1zgYq

14508) 0.0) $TSLA $837 pre market and moving

14509) 0.0258) $TSLA up $50 pre market. If this isn’t market manipulation then I don’t know what is. @SEC_Enforcement @NewYork_SEC please disband. $TSLAQ

14510) 0.0) The market is starting to bet that competitors just won't be able to catch up to $TSLA on EV technology  https://t.co/009yQHEETr

14511) 0.0) Chuck Norris makes money shorting $TSLA. #ChuckNorrisFacts #ChuckNorrisOnFinance

14512) 0.0) These prior moves seem tiny now. $TSLA  https://t.co/FeCPyWH3lq

14513) 0.0) Tesla Maintains Bullish Run, Adding 3.5% in Pre-Market Trade Following 20% Jump Monday - Crosses $800/Share Mark to High of $813 in Pre-Bell Trade $TSLA

14514) 0.0) When you remortgage your house to go all in $TSLA at $780.  https://t.co/ntg4Q2Jj7S

14515) 0.0) @thirdrowtesla @ValueAnalyst1 @ihors3 @Sofiaan @DeItaOne @ellec_uk @inveuro @RationalEtienne @SteveHamel16 @AlterViggo @andresllorente @anonyx10 @AfMusk @danahull @kimpaquette @lexfridman @flcnhvy @TashaARK @vincent13031925 @Gfilche Who thinks $TSLA can touch $1,000 this week? Anyone?  https://t.co/eQLQDeRSz1

14516) 0.0) I think Ihor answered the question about retail investors pushing Tesla up  $TSLA

14517) 0.0) Frankly, it's not even close yet. We're moving in the right direction, going through the right checkpoints, but I'm not seeing any signs of a blowout squeeze yet. Let's see. Maybe it never happens, and we keep going higher in an orderly market.  $TSLA #NotSellingAShareBefore10000

14518) 0.0) $TSLA is now "only" $50 billion behind market leader #Toyota -- which sold 10.74 million cars last year compared to 367, 500 for #Tesla

14519) 0.0) $TSLAQ short squeeze is yet to start.  $TSLA #NotSellingAShareBefore10000  https://t.co/1SMOJRY2bc

14520) 0.0) $TSLA is up nearly 4% pre-market after yesterday's incredible run  https://t.co/VuH3FCITKY  https://t.co/GxGnSiQN5o

14521) 0.0) @thirdrowtesla @Kristennetten At this rate not only will $TSLA buy me a house, they'll build it; complete with solar glass, power walls, and come with a Model Y in the garage.

14522) 0.0) I think the only explanation for yesterday, and perhaps today, is that a major institution or two are taking long term positions in $TSLA. The volume was unprecedented, &amp; I don't think this can be explained by momentum trades. They're looking 4-5 years ahead.

14523) 0.0) $TSLA gapped up to $800 in pre-markets 😉

14524) 0.0) Hey @ValueAnalyst1 instead of more $tsla “eating a shoe” bets how bout just having to drink a beer from one instead? Seems more doable.    https://t.co/Z0iDO9HJ1Z

14525) 0.0) You are HERE: $TSLA  https://t.co/2rDge1saen

14526) 0.0) @JohnArnoldFndtn @gwestr Because most $tsla investors have done more research than average automobile consumers.

14527) 0.0) $TSLA stock to replace all casinos  until further notice. #coronavirus

14528) 0.0) Short $TSLA has a MUCH higher body count

14529) 0.0) $TSLA was about $425 when $TSLAQ rallied around #stayinthefight  https://t.co/LuV7jnxHux

14530) 0.0258) Tesla has proved sustained profit, ability to mass-scale, but AI/Hackathon output is a wolf in disguise that will fuel a next level game-changer for $TSLA  https://t.co/GzW2KoDRGd #robotaxi #autopilot  https://t.co/gHB82Kk5Rn

14531) 0.0) Need a movie on this. #Tesla $Tsla  https://t.co/OdPsnTJKbt

14532) 0.0) I wonder what ZH would have tweeted today about $TSLA

14533) 0.0) Someone will make a movie about this someday. $tsla

14534) 0.0) $TSLA locked in.

14535) -0.0258) I don’t know which is crazier:  The $TSLA run or that $TSLA bears are still out in full force

14536) 0.0) $TSLA bonds trading at $102.5  Does Josh Wolfe now say that they are not reliable?  Can someone ask him...

14537) 0.0) So many dividend investors out there. $tsla $tslaq

14538) 0.0) “We knew he was above the law.  But we shorted anyway.  Mistake.” $TSLA(s)  https://t.co/k3YqRNuZOQ

14539) 0.0) “They may have "stock price, bro" but we'll always have "quarter x+1 will be terrible”” $TSLA(s)  https://t.co/6sWsy6gWG7

14540) 0.0) Tesla will become a trillion-dollar company much faster than anyone can imagine. I raised my $TSLA price target to $20,202.

14541) 0.0) For all my $tsla stock holders today  https://t.co/yaCa7qItyY

14542) 0.0) Should $TSLA have sold 40 more cars in Italy, they would have been able to call it a tie with Maserati.  $TSLAQ

14543) 0.0) BREAKING: $TSLA was just short of Ssangyong car registrations in Belgium in January by 34 cars with 54 cars registered, and closed the gap to DS to below 300.  $TSLAQ

14544) 0.0) I've been saying that the whole Bloomberg org is in on shilling for $TSLA.   $TSLAQ

14545) 0.0) Tesla Stock has been on rampage over past 8 months:  June 3 - closed at $178.97 Oct 25 - closed at $328.13 Dec 19 - closed at $404.04 Jan 13 - closed at $524.86 Jan 30 - closed at $640.81 Feb 3 - closed at $780.00  $TSLA

14546) 0.0) Of the world's ten largest automakers, Tesla $TSLA holds 18.2% of total market cap but just 2% of total revenues (USD adjusted). Read more about Tesla's surge over the past few weeks in tonight's Closer:  https://t.co/mbGfBu25vT  https://t.co/wc3DdgsHpu

14547) 0.0) Just buy straddles on $TSLA everyday right before the close.

14548) 0.0) Tesla added $23.3B in market cap just today. That's more than the market cap of nearly half of S&amp;P 500 companies, including Hershey, EA, Chipotle and Twitter. $TSLA #vroomvroom  https://t.co/2RzyMz8U6A

14549) 0.0) Anatomy of a short squeeze $TSLA  https://t.co/o7AzVMt2P0

14550) 0.0) $TSLA stock hits 100 in google searches, make you own conclusions about this! #Tesla #trading #investing #googletrends  https://t.co/xGzTZuhDA8

14551) 0.0) Chart Master @CarterBWorth is calling a top in Tesla. Could this $780 juggernaut really be about to stall out? Here's his breakdown. $TSLA  https://t.co/eYLixsliUe

14552) 0.0) @Furqan263 @elonmusk $TSLA has climbed from 420.69 to 694.20 (and much more!) in 42 days 🤯  https://t.co/Qi4RqciXjk

14553) 0.0) Everybody wants to buy $TSLA and also a Tesla

14554) 0.0) Do you feel that? $TSLA $TSLAQ  https://t.co/44cK4TBdgp

14555) 0.0) If my math is correct if $tsla goes up 130 points every day should be at 3000 by lunch time Friday . Time to hit these charts

14556) 0.0) I knew $TSLA would get here, but it has moved much faster than I expected. I think it will get to $1000 by June, after the battery day.  Based on how $TSLA is moving, we could see $1000 faster than we all expect.

14557) 0.0) $TSLA is up 87% YTD and on pace to end the year +1000%

14558) 0.0) @pulte @elonmusk Bill, you long $tsla?

14559) 0.0) $TSLA #TSLA The rover has landed....

14560) 0.0) $TSLAQ $TSLA  Went to the library today...  https://t.co/ZbKTXhntpN

14561) 0.0) I found the last $TSLA short on earth  https://t.co/z1xKdiZasE

14562) 0.0) For anyone wondering, $tsla is still way cheaper than Toyota. So, there is that

14563) 0.0) Live shot of @elonmusk $TSLA  https://t.co/Q0BuIH7try

14564) 0.0) So $TSLA closes with a staggering $140 billion market cap!! What’s happens tomorrow?!

14565) 0.0) If you put $10k into $TSLA six months ago you could now afford half of a cybertruck  https://t.co/mpBl1EVvAy

14566) 0.0) was calling for $700 $tsla a year and a half ago.  today it hit $780 and up 180% from  that level 🤷‍♀️

14567) 0.0) The $TSLA option premiums not for little boys

14568) 0.0) $tsla only needs to go up 28% more to hit $1000  it went up 19.89% today (shoutout the millennails)   should get there by lunchtime wednesday, no?

14569) 0.0) Tesla finished trading today at a record high of exactly $780.00  Up 20% today Up 87% this year Up 233% in 6 months $TSLA  https://t.co/zMZifHTkPM

14570) 0.0) $TSLA went full-retard...surging over 20% today!...

14571) 0.0) we open $720 or $820 tomorrow... place ur bets $tsla

14572) 0.0) $TSLA back to highs and rallying still - has been going after hours every day too on this rips

14573) 0.0) Has anyone overlaid the #Coronavirus chart with the $TSLA chart yet?

14574) 0.0) why wouldn't you rush to buy $tsla at 330 when u know its gonna open up $50 from today's close tomorrow morning?

14575) 0.0) $TSLA turnover (VWAP * volume) today is $29.94bn, 23% of the total combined turnover of the S&amp;P 500.

14576) 0.0) Imagine TPing on your alt after a 20% pump when there are people on /r/wallstreetbets turning $40k into $1.4m trading $TSLA  (OP:  https://t.co/3uUzDyAXgz)  https://t.co/d8XfoHXuQg

14577) 0.0) $TSLA Bulls today  https://t.co/rtxPoebNuu

14578) 0.0) I see ⁦@CNBC⁩ is finally getting some expert financial analysts on tv to discuss $tsla.  https://t.co/vGWWuAaJGs

14579) 0.0) If you're a fund manager and you aren't 50-75% $TSLA, are you even doing your fiduciary duty for your clients?  https://t.co/qUdnQloSn3

14580) 0.0) Poll: Which price target will $TSLA hit first? (Currently at $750)

14581) 0.0) Completely normal markets we got here. $TSLA  https://t.co/DiUTpmN5vp

14582) 0.0) Tesla will soak up all battery supply.  $TSLA #NotSellingAShareBefore10000

14583) 0.0) People still don't get it.  This is just the beginning.  $TSLA #NotSellingAShareBefore10000

14584) 0.0) @DeanSheikh1 CMGI has to be up there. Almost hit $1400. It's was a $TSLA x 2. Probably not on the basis of market cap though.  https://t.co/5Th4q8PEUF

14585) 0.0) When @CNBC brings on a professional athlete to discuss $tsla, you know it's a bubble. CNBC "do you own a Tesla"? Guest, "no." You can't make this stuff up.

14586) 0.0) Rat's back on the menu boys. @KingPickleRick1 @BloodsportCap $tsla  https://t.co/dzYXI8xH7L

14587) 0.0) If I had $100 for every time @BrentBeshore told me sell $TSLA... I'd still have less than I do from holding.  But it's close.  https://t.co/xR4FBzTedE

14588) 0.0) @NeerajKA @Dogetoshi After I'm done with theblock I am launching Frankbridge Partners LLC.   60% allocation to $TSLA and @BTC, 40% allocation to my Uncle Nino's, erm, associates.

14589) 0.0) As @hmeisler has said $TSLA is the closest thing to 1999 that has happened since. If you didn't live through it imagine $TSLA X 50 stocks

14590) 0.0) Wondering how @Tesla's stock can be up over $100 in one day? Watch this:  https://t.co/1zTPmLIVrW  $TSLA

14591) 0.0) Panasonic has Tesla’s back for Model Y. $TSLA

14592) 0.0) @Dogetoshi Up 39% baaaabbby $TSLA

14593) 0.0) $TSLA soured by $100. This reminds me of YHOO jumping up that much in early 2000.  https://t.co/kQ1jDsN3hp

14594) 0.0) Omg look at those $TSLA $1000 weekly calls. Went from .02 to $2.24  https://t.co/6CHOa0m8iy

14595) 0.0) Just incredible. $TSLA  https://t.co/xlKeMqfVpo

14596) 0.048) .@neelkashkari, you created a monster $tsla, and these parabolic arches never end well  https://t.co/TedCUlnyt2

14597) 0.0) BUY SACRIFICIAL PUTS SO THAT $TSLA CAN GO TO $1,420  ELMER DID HIS PART  https://t.co/735HjBDYjE

14598) 0.0) For 75%+ of TradingGurus who were still in diapers during last time an Auto Maker experienced an explosive short squeeze...some context:  The day Volkswagen briefly conquered the world  https://t.co/WoeVe9bVHV  $TSLA  https://t.co/SK9VIqVGY2

14599) 0.0) This $TSLA parabolic move feels similar to the Volkswagen short squeeze from 2008.  https://t.co/KSQNoVCPHa

14600) 0.0) how i know my $TSLA short call is on the right track, these are the kinds of replies i get  https://t.co/W5GsD6Rk1l

14601) 0.0) $TSLA "Margin calls fellas, You know the rules of the exchange"  https://t.co/jI7ptlr9f6

14602) 0.0) Live shot of $TSLA valuation

14603) 0.0) @traderstewie When you shorted $TSLA at $360 and are still holding.  https://t.co/miylEgdkiD

14604) 0.0) PETITION TO ADD $TSLA TO THE S&amp;P 500 *TONIGHT* @SEC_Enforcement

14605) 0.0) When you bought $TSLA at $335 and sold it at $360 .....  https://t.co/gUbO07cP8m

14606) 0.0) Big boys throwing around millions today in $TSLA weeklies  https://t.co/khFwvxxJHe

14607) 0.0) Tesla's market cap has more than quadrupled over the last 8 months.  From $32 billion on June 3, 2019 to over $138 billion today.  $TSLA

14608) 0.0) Current Twitter Demographics:  Near 100% of Fintwitter are PhD Virologists who longed $TSLA at 420

14609) 0.0) Tapered my $TSLA position by 20% @ $760. This is just bonkers. Still holding a massive position that would give heartburn to any sane financial advisor.

14610) 0.0) The guy on @RobinhoodApp who just got $tsla at $786.14 and down 5% in 5 minutes live shot  https://t.co/C9xOOfQCKX

14611) 0.0) @jimcramer With zero TV advertisement from Tesla $TSLA.

14612) 0.0) @GerberKawasaki $tsla is the new banana taped to a wall

14613) 0.0) Reducing $TSLA to 20% of my portfolio  +168% on these.   🦆

14614) 0.0) $TSLA to the moon !!!  https://t.co/84XteuMZhX

14615) 0.0) $TSLA $1000 calls trading for $0.05 earlier now $2.65

14616) 0.0) People shorting $TSLA over the last months.  https://t.co/vPTWiSTuVa

14617) 0.0) What changed? $TSLA  https://t.co/yJOyI6aXe4

14618) 0.0) Is this for real? $TSLA  https://t.co/t1H7Yk3QXK

14619) 0.0) $TSLA paying over 5000% + today

14620) 0.0) Tesla up $106 so far today. 7 months ago the stock was around $225. $tsla

14621) 0.0) Someone is getting blown up in $TSLA on the short side. +15%

14622) 0.0) Imagine explaining your $TSLA short position in a client letter this quarter.   “It was so overvalued at $250, so it’s 200% more overvalued now.”

14623) 0.0) @28delayslater This is where $TSLA is:  "Falcon Heavy is on startup."  T minus 00:01:00   https://t.co/79MDMoUauJ

14624) 0.0) $TSLA my nose bleed 423.6% target is 1050-1150 FWIW

14625) 0.0) 4 figure Monday’s💰 $TSLA

14626) 0.0) @ihors3 is this the beginning of a real $TSLA squeeze or are $TSLAQ cult members still hanging in there?

14627) 0.0) $TSLA blowing peoples minds and accounts. $20,000 PT ... TSLA the new BITCOIN...

14628) 0.0) Argus Research raised Tesla $TSLA target price to $808 from $556   https://t.co/sZt0qZC0NK

14629) 0.0) @Stalingrad_Poor Its exactly them . Robinhood data showed 4,000 new traders buying $TSLA above 700 for the first time .

14630) 0.0) $TSLA not only is a TML but it’s officially a model stock in my mind. These types of moves are RARE in liquid names.

14631) 0.0) Remember the time that I said I had seen this $TSLA movie before when it was called Volkswagen?  History will repeat...people who never touched the stock will be blown out short...then it will return to $300.

14632) 0.0) All morning in my feed I've seen retail trying to short $tsla. Have they learned nothing. Wait don't answer that.

14633) 0.0) Thought: #FossilAuto is spending millions for #SuperBowl ads. #Tesla doesn’t. But $TSLA is the stock going through the roof...  https://t.co/lnKGEnNIPL

14634) 0.0) I have been really contemplating getting the new Tesla Roadster, but I'd rather put the $250,000 to work in $TSLA stock!  #Tesla  https://t.co/ANnuZNT17d

14635) 0.0) * Oil below $50. * $TSLA above $720

14636) 0.0) 4,000 Robinhood traders just bought $TSLA for the first time, above $700  https://t.co/jwMCrLpNq0

14637) 0.0) $tsla shorts trying to time their entries.  https://t.co/MIawBUfScV

14638) 0.0) $TSLA:   Days from $300 to $400: 976 Days from $400 to $500: 25 Days from $500 to $600: 18 Days from $600 to $700: 4

14639) 0.0258) Will $TSLA reach 800 today?

14640) 0.0) I’m going to have to stop checking that $TSLA price since I have zero shares and scoffed at my husbands idea to buy some in October; then he scoffed at my wanting to buy last week. 🤦‍♀️

14641) 0.0) Tesla soars past $700 amid Panasonic update, Wall St upgrade $TSLA  https://t.co/YmXa8wbclc

14642) 0.0) $TSLA over the last two months  https://t.co/omI6CzApiK

14643) 0.0) $TSLA to $1,000 by week end?

14644) 0.0) $TSLA was $354 on this day.  https://t.co/OGOkx0dMYj

14645) 0.0) Shoutout to $tsla saving my PNL for the year  https://t.co/DnGC2PD1Fz

14646) 0.0) $TSLA that is a short burn of the century ...

14647) 0.0) Chart of the Day: $TSLA surges another 10% and rises above $700 for the first time.  https://t.co/hL3quobnk2

14648) 0.0) @cppinvest “The Company recently began to deliver its Model X sport vehicle.” Are they even trying anymore? $TSLA

14649) 0.0) $TSLA  correction "Tesla price target raised to $808 by Argus Research, highest on Wall Street"  https://t.co/RjgWrgc6RF

14650) 0.0) @novogratz $TSLA will have at least 40-50% correction coming soon

14651) 0.0) #Tesla $TSLA | 🚀 🚗  👉 725 $  Llevan con "short squeeze" unas cuantas semanas 😉  @elonmusk keep making them run !!  https://t.co/U2fn365U3a

14652) 0.0) This has to be the short squeeze part 2 right? $tsla #tesla  https://t.co/Or0pdhEM7v

14653) 0.0) $TSLA Do we all understand how contraction and expansion ("the longer the base, the higher in space") works now?

14654) 0.0) Nas up $8k trading $TSLA options!

14655) 0.0) $tsla might close at $800 today

14656) 0.0) I'm framing a picture of him smoking in the office in #PuertoRico   It has to be done at this point  $TSLA

14657) 0.0) This might be the short squeeze folks $TSLA.  Strap yourselves in 🚀  #tesla

14658) 0.0) Yahoo finance literally can't even keep up with the short burn in $tsla right now. Incredible

14659) 0.0) When u realize Bull @PlugInFUD 's $1000 calls are actually going to be in the money by AH on Thu  $tsla $tslaq  https://t.co/7SaTip8Bbr

14660) 0.0) 840 is the new 420 $tsla

14661) 0.0) For those still sleeping...  $tsla 52 week high is now $702  https://t.co/qetLbU2p1t

14662) 0.0) Look at those numbers $TSLA  https://t.co/kLNxS1Gr7a

14663) -0.0191) $TSLA shorts who say supply/demand imbalance doesnt matter, it's all about "conviction"  https://t.co/AP0tY7VHHn

14664) 0.0) Begin the $TSLA drumbeat to $1000     https://t.co/RsXS6RblOE

14665) 0.0) Someone check the pulse of the $TSLA shorts...

14666) 0.0) Everybody wake up! $TSLA

14667) 0.0) .@xSUND0WN you already know what I am about to say. $TSLA stock all time high👀

14668) 0.0) Cathie Wood (again) raising her 5-year price target for $TSLA to $7,000 (curr $650) up from prev targets of $4k and $6k. That's just the base case. The bull case is $15k, which would give stock a mkt cap of $2.1T. Bear case is (just) $1.5k..  https://t.co/Wt0llkr432  https://t.co/8qs2flSkGm

14669) 0.0) $tsla target 808 because *checks notes* @elonmusk is dropping beats now? Only audio nerds will understand that reference.

14670) 0.0) Elon Musk Focuses On Skills, Not Degrees for Tesla AI/Autopilot Team Recruitment  $TSLA #Tesla #AI #Autopilot   https://t.co/ekB1kfnn32

14671) 0.0) $TSLA  - less than a month ago ---&gt;&gt; Tesla price target raised to $556 by Argus Research, highest on Wall Street  ---&gt;&gt;&gt; weeks later ---&gt;&gt;  Tesla target raised to $808 from $556 at Argus

14672) 0.0) Tesla up 4% in premarket!!! Is this the squeeze we've been waiting for? $Tsla

14673) 0.0) $TSLA new all time high...  https://t.co/VbP68lo4B4

14674) 0.0) How do you say, "You've been Musked" in German? $tsla $tslaq

14675) 0.0) $TSLA Tesla's cash balance revisited  https://t.co/ZjqzQVyjMw

14676) 0.0) How did this piece of junk get its homologation in the EU? Name me one car that behaves the same after breaking down on the road.  $TSLA $TSLAQ  https://t.co/3kkjNLrrrh

14677) 0.0) Pana's quarterly results are out.  $TSLA $TSLAQ  https://t.co/WDH56YQRpp

14678) 0.0) $tsla will be a $5T company #dontdoubtmyvibe @ValueAnalyst1  #notsellingasharebefore10000

14679) 0.0) that Audi e-Tron commercial is exactly why $TSLA has a $100BN market cap. nobody has a product to compete.

14680) 0.0) When i think self driving or self parking. I think $tsla  https://t.co/gYve96blVo

14681) 0.0) $TSLA now taking orders "full orders" for the Model Y?  Not deposits (I don't see $100 or $1000 anywhere.)  https://t.co/aAtJuxpoXK

14682) 0.0) If futures stay green overnight we will see $TSLA $700 quickly. That was the only stock I considered gapping over the weekend. Closed Friday night at $646.  https://t.co/ZGPwoNIl4v

14683) 0.0) An FSD/AP news story is going to hit imo. Tonight's E tweets are him getting ahead of the news and getting searches to point to stories about his tweets come Monday morning. $tsla $tslaq

14684) 0.0) Narrator: 20 Model X's have been sold in January in 🇳🇴  $TSLA $TSLAQ

14685) 0.0) How $TSLA snuck up on $TSLAQ     https://t.co/DDxPFGjX0j

14686) 0.0) I’m not a rocket surgeon but this is very different from ONE MILLION ROBOTAXIS IN 2020. $tsla

14687) 0.0) @patelkasey @SamTalksTesla @ValueAnalyst1 You know, I made money shorting German auto. It just doesn’t feel right and I obviously made less than I would have made going all in on $TSLA.

14688) 0.0) Imagine not being long $tsla $1000 calls when the SEC bans short selling AND makes the shorts go long the stocks they were short to reeducate them

14689) -0.0258) "Tesla, unlike any other company I’ve ever seen, checks every box for a desirable short position: a fundamentally terrible business in a capital intensive, massively competitive industry with a bubble-stock valuation and a pathologically.."  https://t.co/mgL2baxK7Q $TSLA  $TSLAQ

14690) 0.0) @BagholderQuotes @28delayslater If you were long $tsla, you would have had $544,000 now!! #tsla #tesla

14691) 0.0) 🐻: Tesla fans invest in $TSLA with emotion and don’t focus on the fundamentals   Also 🐻:  https://t.co/NPFZMhtVDn

14692) 0.0) I'm beginning to understand the $TSLA - China synergy.

14693) 0.0) Imagine where Tesla will be in 10 years $TSLA

14694) 0.0) Biggest Tesla V3 Supercharger station in Europe to be built in Hilden, Germany 🇩🇪   $TSLA #Tesla #Germany #V3    https://t.co/nXr3Tn8jQo

14695) 0.0) @LeilaniMunter There’s this giant burning ball of gas in the sky that powers our Model 3 for zero added cost.  $TSLA  https://t.co/ENKsH7LUml

14696) 0.0) Did a semi-lengthy post detailing all my questions after Tesla's Q4 results (tweets/analysis from @Badger24 @tedstein @DanTelvock and @TESLAcharts included in post)  Here are some of the ones I listed..(cont.) $TSLA $TSLAQ

14697) 0.0) Total Returns over the next 5 years...  Tesla: 10x to 20x  Legacy: -50% to -100%  $TSLA #NotSellingAShareBefore10000

14698) 0.0) Here's why $TSLA is surging. Views &amp; estimates are my own.  General framework for long-run equity valuation: cash flow &amp; cost of equity. All stock valuations depend on those two things. In my opinion, 3 factors directly impact them, listed here:  https://t.co/KdJaIbKsHC

14699) 0.0) Ok, that’s it. Jim for presidency $tsla

14700) 0.0) Re: @ARKInvest Valuation 20200131  $TSLA #NotSellingAShareBefore10000    https://t.co/Ioda4rHkjE

14701) 0.0) ARK Invest @ARKInvest Shows Tesla’s Path to $15K Bull Case and a $22k Golden Goose Scenario  $TSLA #Tesla #ARKinvest   https://t.co/Ue1YccDe2r

14702) 0.0) Tesla’s New Autopilot AI Video Shows Laser-Focus Ramp Towards Autonomy  $TSLA #Tesla   https://t.co/NSl5IK4m7J

14703) 0.0) $tsla golden goose scenario seems most likely

14704) 0.0) “It was vertically integrated or die” and we all know what happened next. 👊  @elonmusk talking $TSLA with @thirdrowtesla   #Tesla

14705) 0.0) Turns out $TSLA is $117 Billion and ZeroHedge is a zero.  https://t.co/EeT2FAHpIO

14706) 0.0) $TSLA is just getting started.  https://t.co/0iUpaAFJGW

14707) 0.0) What's currently happening with $TSLA has never happened before in Human History. We are the first to witness the birth of a Super-Company (not talking about the stock price).

14708) 0.0) Who was all in before the stock soared? $TSLA

14709) 0.0) Had to update this again $TSLA  https://t.co/AEO2udb5TS

14710) 0.0) This was $110 ago.  $TSLA #NotSellingAShareBefore10000

14711) 0.0) This was $150 ago.  $TSLA #NotSellingAShareBefore10000

14712) 0.0) Another $TSLAQ short bites the dust.  $TSLA #NotSellingAShareBefore10000

14713) 0.0258) Investing in $TSLA at $177 was an even smarter move than buying a non-depreciating future roboTaxi #Tesla   (Things to say to annoy short sellers)  https://t.co/ubMgmiGRUf

14714) 0.0) Earnings estimates are rising, finally.  $TSLA #NotSellingAShareBefore10000  https://t.co/YGRbyjo6VQ

14715) 0.0) “Even rails, we think autonomous truck platoons are going to take the place of rails, or be cheaper to transport freight.”—@CathieDWood 🚛🚛🚛 $TSLA #TeslaSemi  https://t.co/ggZ7Q5nu4X

14716) 0.0) My cat when he saw $TSLA at $650 all day!  https://t.co/sNZ9aZLkwq

14717) 0.0) $TSLA @ARKInvest   New Price Targets by 2025  base case :  7000 Bear case. : 1500 Bull case    : 15000   https://t.co/JGPjCMbaJC

14718) 0.0) Check out our latest thoughts on $TSLA

14719) 0.0) On January 9, 2020:  "BlackRock Inc. added its almost $7 trillion heft to a group of investors that’s pressing the world’s biggest emitters of greenhouse gases to change their ways."  A *massive* rotation is happening.  $TSLA #NotSellingAShareBefore10000    https://t.co/sM8NJFpImQ

14720) 0.0) Do you feel that @ToyotaMotorCorp? It’s @Tesla taking the first place this year $TSLA  https://t.co/h5vpYl9qzO

14721) 0.0) @waage_jacob @Kristennetten @ARKInvest @Tesla @elonmusk “We're actually updating those numbers, we plan on publishing soon.”—@TashaARK (1/30/20) $TSLA  https://t.co/e44TkwEL7i

14722) 0.0) $TSLA up almost 2% today is just the last twist of the salted knife in the wound of the short seller psyche

14723) -0.0258) 1) Countdown for $TSLA's imminent Q1 profit warning.   On 2/28/19, $TSLA warned of a Q1 loss, just 28 days after @elonmusk said "I'm optimistic about being profitable in Q1 &amp; for all quarters going forward" on the earnings call.   So maybe 4 weeks away from this year's warning?  https://t.co/sAkYi3mahI

14724) 0.0) review these memes, @elonmusk, $tsla and $tslaq  https://t.co/MVmjF0NDz9

14725) 0.0) @TeslaOwnersEBay @Tesla Paying off the car instead of investing the money in $TSLA

14726) 0.0) Our Tesla bear has capitulated... $TSLA #Tesla

14727) 0.0) ⚠️Important Facts⚠️  Tesla Gigafactory Shanghai's Cost-Efficient Design is the Future of $TSLA Gigafactories  @elonmusk @Tesla #Tesla #China   Detail:  https://t.co/rNN3LuFPmI

14728) 0.0258) Who wants to tell Mr.Chanos that exactly ZERO cash came from $TSLA issuing shares of their stock as compensation.  Cash came from operations, including selling cars   This statement from Mr.Chanos who is well aware of the above is fraudulent @SquawkCNBC @SEC_Enforcement $TSLAQ  https://t.co/yn8xqsWKxO

14729) 0.0258) @ICannot_Enough @WallStCynic @SquawkCNBC Chanos is mad because #Tesla employees are happy to receive $TSLA stocks instead of cash wages, because they see a bright future in Tesla, and his attempt to drive down the stock price to slow down Tesla failed

14730) 0.0) $TSLAQ short squeeze is yet to start.  $TSLA #NotSellingAShareBefore10000  https://t.co/3wz0L43PuZ

14731) 0.0) @CoverDrive12 @JCOviedo6 @TESLAcharts quick check of current Q1 consensus for $tsla shows 6.68B in revs and $0.74 in eps  im thinking of taking the under?

14732) 0.0) Tesla filed a patent 'Functional interlayers for vehicle glazing systems'  $TSLA #Tesla   https://t.co/1tGY2aQySs

14733) 0.0) $TSLA down half a point on Elon Musk’s new EDM track

14734) -0.0258) Some ppl just have no sense of humor. I wonder if he actually believes his own delusions. $tslaq $tsla  https://t.co/pkmPFBRw24

14735) 0.0) What’s happening to $TSLA is called a re-rating — it’s not a short squeeze but a new reality and realization pricing in. It may sell off a bit, but barring a major Tesla-toe-stub, won’t go all the way back.

14736) 0.0) “I’m done with fossil fuels. They’re done"  $TSLA #NotSellingAShareBefore10000

14737) 0.0) $TSLA was trading at $210 five months ago, it closed at $644 yesterday.

14738) 0.0299) Here's Tesla's free cash flow trend over the past few years (TTM smooths out seasonality).  In 2019, $TSLA transitioned from "cash-burning" to "cash-generating", making $1 billion in cash in Q4 alone.  Tesla's balance sheet has never been stronger. 📈  https://t.co/hUQxbv0OTE

14739) 0.0) It's ok, $tsla gave a wide range of the virus' potential impact on production allowing for 1 to 1.5 weeks.

14740) 0.0) "You don't really need modules in my view; you should just go from cells to pack at this point."  $TSLA #NotSellingAShareBefore10000

14741) 0.0) Dojo "train the network on vast amounts of [video] data so that it can be used in the inference engine in the car."  "Probably next year, maybe this year."  $TSLA #NotSellingAShareBefore10000

14742) 0.0) Key takeaways for long-term investors:  $TSLA #NotSellingAShareBefore10000   https://t.co/2SjNLeAvpG

14743) 0.0) Tesla China 🇨🇳 Taps into TikTok Influencers in Multi-city Information Campaign  Each influencer talked about different topics related to Tesla on TikTok live show in many different cities of China.  $TSLA #Tesla #China   Details:  https://t.co/eoJkpDzyT2

14744) 0.0) Not selling my $TSLA before @ValueAnalyst1

14745) 0.0) Andrew Left on @Tesla 🚘🔋🔌 Full Interview →  https://t.co/oEAH9x86jX $TSLA @elonmusk  https://t.co/0UFGR60JiN

14746) 0.0) Tesla article from the LA Times. $TSLA  https://t.co/kPkKcP3rpk

14747) 0.0) Weekend Trend Trader riding the $TSLA rocket.  https://t.co/4GYc3Z1LUi

14748) 0.0) .@ARKInvest analyst @TashaARK on @Tesla 🏣📊 (Bull case: $6000 PT, Bear case: $700 PT) $TSLA #EV #Autopilot @elonmusk  https://t.co/ijLSWjDfKi

14749) 0.0) The 🐐 closed out his $TSLA position at $640 given his current $427 (should’ve tweaked #’s to make it a round $420) target price.   https://t.co/WDNB6SiKS4

14750) 0.0) Dont think $TSLA is not going to Split at least 10/1 and merge Space Ex into it as it goes into the S&amp;P 500..

14751) 0.0) Complete this $TSLA related statement:  “B________s are the golden ticket”...

14752) 0.0) Come on New York, you can do it. $tslaQ $TSLA

14753) 0.0) @Badger24 $tsla had to make some deals to unload those cars in The Netherlands. (And just wait until you see the RVG arrangements.)

14754) 0.0) RIP Shorts $TSLA

14755) 0.0) For the past 6 quarters, non-GAAP adjustment has been consistently around $200M. But in Q4, $TSLA found an additional $95M non-GAAP money in the cabinet. Just the medicine needed for a non-GAAP earnings beat.

14756) 0.0) Why invest in $TSLA? Tony Seba may have the crystal ball👇

14757) 0.0) Tesla Confirms Partnership with CATL and LG Chem for Battery Supply in Giga Shanghai  $TSLA #Tesla #LGChem #CATL #China #GF3   https://t.co/F1ie9khOJG

14758) 0.0) Why is it that an event reminder from @Tesla has an ad for Short Shorts?  @elonmusk you do that?  $TSLA  https://t.co/uPtfaRLZ6U

14759) 0.0) $TSLA $TSLAQ TSLA said, last night, they have capacity for 640K cars right now, and will have capacity for 740K cars by mid-2020. However, they gave guidance for ~500K shipped in 2020 (or, capacity utilization of ~78% currently, and ~67.6% in mid-2020). Notwithstanding the...

14760) 0.0) $TSLA (part of the NYSE #FANGplus index) surges after earnings:      Date        Close*  5/31/19    $185.16  6/28/19   $223.46  7/31/19    $241.61  8/30/19   $225.61  9/30/19   $240.87  10/31/19  $314.92 11/29/19   $329.94 12/31/19   $418.33  1/29/20   $580.99  *Per Yahoo Finance

14761) 0.0) @TESLAcharts In contrast, the Thomson transcript is correct  $TSLA  https://t.co/QpdKxvH0Sg

14762) 0.0) Tesla Battery 🔋 Day will 'Blow Your Mind' Say @ElonMusk  Blow your mind 🤯🤯  Blow your mind 🤯🤯  Blow your mind 🤯🤯  "Battery Day people. Wait until Battery Day. It's gonna blow your mind. It blows my mind, and I know it!"   $TSLA #Tesla   https://t.co/2mYUpJM34c

14763) 0.0) @GerberKawasaki It's 5 O'Clock somewhere Ross!  Looking forward to your appearance on @TDANetwork with @NPetallides at 1:40 pm ET! $TSLA

14764) 0.0) $TSLA “sparking joy”! 😉

14765) 0.0) $TSLAQ short squeeze is yet to start.  $TSLA #NotSellingAShareBefore10000  https://t.co/ll2DvSj0DS

14766) 0.0) @GerberKawasaki And $TSLA has been one of our ‘Granny Shot’ stocks  #Grannyshots #tesla  https://t.co/r8FztZaF8M

14767) 0.0) Can’t wait to get my model Y! #tesla ramping production in Q1. $tsla  https://t.co/Q8LT21Dozj

14768) 0.0) Hello Giga Shanghai! Follow for more videos and photos coming from China 🇨🇳   #Tesla #TeslaChina #GigaShanghai #Gigafactory #特斯拉 #中国 $TSLA  https://t.co/W7o1MsA2ZV

14769) -0.0343) Since $TSLA breakout, it's literally been in a perfect BTD trend.  https://t.co/BsuHthnont

14770) 0.0) If you invested $10,000 in Tesla 6.9 years ago, u would have $420,000 today. $tsla

14771) -0.0258) Tesla shares surge amid breakout Q4 earnings, shorts burned with $5B loss $TSLA  https://t.co/HrSnnDWTKY

14772) 0.0) Premarket $Tsla has traded half a billion dollars  https://t.co/XfUY8tFuiO

14773) 0.0) $TSLA on Sept 1: $225 $TSLA pre-market today: $633  Just incredible.

14774) 0.0) $TSLA Tesla stock price target raised to $650 from $525 at Baird

14775) 0.0) Piper Sandler analyst Alexander Potter raised his price target for #Tesla to $729 from $553 following last night's Q4 results. Potter believes Tesla is on a path toward becoming "the world's only relevant publicly-listed auto maker." $TSLA  https://t.co/lVvgcpHSba

14776) 0.0) Live footage of $TSLAQ twerps STILL chirping off this morning...   $TSLA  https://t.co/5NiQ361Aoh

14777) 0.0) Why isn't $tsla up 100

14778) 0.0) BREAKING: Fly Capital Research raises $TSLA bull case price target to street high $6,969, leaves base case PT at $0.  $TSLAQ

14779) 0.0) $TSLA Gooood morninggg:  PT RAISED TO $710 FROM $550 AT WEDBUSH  PT RAISED TO $729 from $553 AT PIPER SANDLER

14780) 0.0) WEDBUSH RAISES $TSLA BULL-CASE TARGET TO $1,000

14781) 0.0) How I feel waking up &amp; still not owning any $TSLA  https://t.co/ktbHk7bok2

14782) 0.0) $TSLA PT RAISED TO $710 FROM $550 AT WEDBUSH

14783) 0.0) @montana_skeptic @danahull $TSLA is launching D&amp;O insurance

14784) 0.0) 1)  Thoughts on what $TSLA will announce on battery day in April &amp; how Tesla’s future battery strategy will come together: A) Use cell supply from Panasonic/LG/CATL to bridge to ramp of in-house cell production (possibly towards ~90GWh contracted from these three suppliers).

14785) 0.0) $TSLAQ keep shorting $TSLA with the same results.  https://t.co/kSXwJHjhvV

14786) 0.0) ...had to reset this again  $TSLA  https://t.co/ASaHtXDF2u

14787) -0.0258) On call, Musk says that retail investors are easier to fool than the larger institutional investors and analysts, and at this point in the bull market the former can make up for the buying power of the latter.  $TSLA $TSLAQ

14788) -0.0258) Tesla $TSLA investors gear up for a fun morning ahead, $TSLAQ to visit hurt locker  https://t.co/Fb25eJkBYi  https://t.co/GouBKNDz3s  https://t.co/Bhd3n86GBf

14789) 0.0) cant believe im saying this but $TSLA will be a $600 stock when the mkt opens

14790) 0.0) $TSLA Q4 2019 Earnings &amp; Conference Call Analysis  📊 📞  https://t.co/YCkyBK2Qyd

14791) 0.0) 🐻 “None of this would have happened if skabooshka was here”.  $TSLA  https://t.co/3GlsDR8KW9

14792) 0.0) Just ordered a performance $TSLA @Tesla Model Y! Can’t wait !

14793) 0.0) “Set short burn to 4 bacon”  $TSLA

14794) 0.0) Ok... let’s go to questions:   Adam Jonas: have you ever filled the Frunk with pickles and roasted salmon?   $TSLA

14795) 0.0) uploading $TSLA Q4 vid

14796) 0.0) Elon:  “I think we will make as many cars as we can sell for many years” $TSLA

14797) 0.0) . @MunroAssociates , what is this sorcery?? 🤯  $TSLA

14798) 0.0) live look at me after $TSLA earnings day (h/t @pctrudell)  https://t.co/0p7dRo0pzH

14799) 0.0) Tesla still the second most read story on @TheTerminal. For those waking up, what’s your take? $TSLA

14800) 0.0) $Tsla target acquired  https://t.co/WJjR2hw89A

14801) 0.0) I repeat  Imagine defending capitalism in our current world where $tsla is doing what its doing

14802) 0.0) The $TSLA short thesis might need a few tweaks  https://t.co/ZjuVMqwSOA

14803) 0.0) $TSLA was at $192 that day. It was his one and only 4 golden paws trading tip. 🐾 🐾 🏆

14804) 0.0) Did these folks pull this off or what? Where’s the update? $TSLA $TSLAQ  https://t.co/tNgb4wkxhF

14805) -0.0356) Tesla did not earn a profit in 2019. They did not earn a true profit in any quarter of 2019. The reported profits are a fraud. This will all become clear. To some, it already is. $tslaQ $TSLA

14806) 0.0) Over $400 ago now  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/iuaNtd7CuC

14807) 0.0) Skin In The Game $TSLA @Gfilche @HyperChangeTV  https://t.co/IeKyFdX4g8

14808) 0.0258) Tesla’s record year lacks just one thing (not that it seems to matter) via ⁦@bopinion⁩ $TSLA  https://t.co/1t9tNGOtbQ

14809) 0.0) Is it too late to buy $TSLA?

14810) 0.0) All I know is Tesla bring the money in $TSLA 🚀

14811) 0.0) I did the math and exactly zero $TSLA bears thought $650 was possible.  https://t.co/rAcxCM2PRT

14812) 0.0258) Remember, the argument for allowing SHORT SELLING to be legal is to create more price stability. Yeh. Let me know how that’s working out. $TSLA  https://t.co/BeiD54LvlW

14813) 0.0) $TSLA was at $508 when Morgan Stanley says sell (Jan 16)  https://t.co/WtUYu7FLtY

14814) 0.0) $tsla #Tesla From Conference Call: Tesla Says Ramping Up Battery Production Will Be the Focus This Year Tesla’s batteries could be bigger business than electric cars – Elon Musk

14815) 0.0) This option going to look so much different in the am $Tsla  https://t.co/FMcNbBF4Tx

14816) 0.0) So does $TSLA hit $700 or $600 first? Currently at $650.

14817) -0.0258) Major takes from $tsla call: 1) Model Y production ramping; 2) Working to achieve “crazy” battery capacity; 3) other goodies: insurance a major product in future, massive demand 4 Cybertruck, no 2ndary offering as cash flows sufficient, solar growth exponential off small base

14818) 0.0) And that's a wrap on $TSLA. Stock is up around $650 after hours. Until next time. -@byKatherineRoss   Read up on the biggest takeaways from Tesla here:  https://t.co/V7wYfhi90Z  https://t.co/UurKN4fIep

14819) 0.0) Battery &amp; Powertrain Day in April.  $TSLA #NotSellingAShareBefore5000

14820) 0.0) Pierre Ferragu calling from a location under the ocean.  $TSLA

14821) 0.0) #tesla from earlier... $TSLA  https://t.co/AN2MFIO7Aq

14822) 0.0) Breaking: $TSLA surges to over $650 after market close and earnings call.  @tesla 📈🚀 #breakingnews  https://t.co/Ajta8DARbz

14823) 0.0) *puts down book*  *peeks in on $TSLA Twitter*  Oh my.  *picks up book*

14824) 0.0) I never thought I'd look forward to earnings calls. #tesla $tsla

14825) 0.0) $TSLA battery day in April

14826) 0.0) Everyone has a plan until  Tesla trades at $650 in the AH  - Mike Tyson   #tesla $tsla

14827) 0.0) Are the pajama traders going to jack $tsla to 700

14828) 0.0) "We see a further reduction in capex per unit"  $TSLA #NotSellingAShareBefore5000

14829) 0.0) Why won't $TSLA give out capex guidance?  They must have some sort of capex budget.

14830) 0.0) Model S and X range higher than advertised.  "We just haven't gotten around to updating it yet"  $TSLA #NotSellingAShareBefore5000

14831) 0.0) I'm blown away by the absurdity of an *earnings call* taking questions that were written before the numbers were released.  $TSLA

14832) 0.0) FSD feature complete in a few months $TSLA

14833) 0.0) "couple months from now" for feature-complete FSD.  $TSLA #NotSellingAShareBefore5000

14834) 0.0) "Insurance will be quite a major product for Tesla over time."  $TSLA #NotSellingAShareBefore5000

14835) 0.0) Coming soon to run over shorties $TSLA  https://t.co/C2ePGJ8UuQ

14836) 0.0) Solarglass Roof production ramping 👍  $TSLA #NotSellingAShareBefore5000

14837) 0.0) model Y confirmed to deliver by end of this Q, Q1! $TSLA

14838) 0.0) $tslaq shorts trying to ride the $tsla tsunami 🌊 🌊     https://t.co/yx3NLSNCsi

14839) 0.0) Tesla $TSLA Q4 2019 Earnings Call:   ⚡️⚡️Live Updates⚡️⚡️   https://t.co/aljUbTI465

14840) 0.0) $TSLA might have considered a different marketing name for its product: "GALSS GLASS GLASS." Or perhaps "GLASS GLASS GLASS GLASS GLASS GLASS GLASS GLASS GLASS GLASS."  https://t.co/W7aEWNyNb4

14841) 0.0) Mark my words: Model Y specs will never be matched by any legacy automaker.  $TSLA #NotSellingAShareBefore5000

14842) 0.0) Listen to the call now:   https://t.co/kTqVVJCY8C  $TSLA #NotSellingAShareBefore5000

14843) 0.0) $TSLA I can't wait for my Cybertruck

14844) 0.0) LIVE BLOG: Tesla Q4 2019 earnings call updates $TSLA  https://t.co/CDLu4OMHk3

14845) 0.0) Shorts are about to learn a lot more about $TSLA unintended acceleration

14846) 0.0) Things that 22 year old Hucksters tweet AFTER $TSLA earnings:  @WilliamKaraman  https://t.co/fzyYgyyZd2

14847) 0.0) $TSLAQ, $TSLA shorts prepping for tomorrow's open:  https://t.co/c9NCTwhtVC

14848) 0.0) In technical analysis we call this pattern the "face-ripper." $TSLA  https://t.co/mLOHpuIGzS

14849) 0.0) $TSLA shorts........RIP

14850) 0.0) Cryptotwitter discovering $TSLA at +$600  Classic.

14851) 0.0) Model Y deliveries start on March $TSLA

14852) 0.0) How do I mine $TSLA coin?

14853) 0.0) Tesla’s guidance for 2020 is 500,000+ deliveries. In line with my #TeslaShoeBets $TSLA

14854) 0.0) Another $TSLA earnings call.  https://t.co/vdbX28OOC0

14855) 0.0) Question #1, #2 and #3 for $TSLA.  Or maybe @ElonMusk will just tell us.  https://t.co/gIoaT9d3Zu

14856) 0.0) Both @spacex and @tesla took off today.  As a shareholder I'd be open to a merger.  $tsla

14857) 0.0) $TSLA start  those upgrades coming in the morning

14858) 0.0) Why did Tesla report Q3 2019 EBITDA of $876MM in its Q3 2019 presentation and Q3 2019 EBITDA of $1,083MM in the Q4 2019 presentation?  $TSLA  https://t.co/U8jgvcTH6v

14859) 0.0) Should I Short $tsla at $1000 tomorrow?

14860) 0.0) $TSLA basically up a hundo in afterhours. Should I cover?

14861) 0.0) $TSLA up 12% AH  https://t.co/VHwOzp4wBp

14862) 0.0) Tesla speeds higher on earnings even after a massive 40% run this month. Will it sputter from here? $TSLA  https://t.co/8HRKixJOle

14863) 0.0) $TSLA boyzzz we eating today  https://t.co/0s0vFCOgPR

14864) 0.0) Elon, why take the stock away from union employees if we shouldn't even consider it an expense to $TSLA?  strictly vindictive?   https://t.co/ErafD9oJdi

14865) 0.0) $TSLA $655 after-hours

14866) 0.0) I have a client who bought $TSLA in the $20’s - still owns it - and drives a Prius.   Asking him for advice now.

14867) 0.0) $TSLA is going to add 100K capacity to Fremont by mid year.  Has anyone seen any permits for an expanded paint shop?  Or will the paint jobs be even thinner than they are now?

14868) 0.0) why is this POS only up 12%  $tsla

14869) 0.0) #Tesla CAPEX has decreased from $2,101M in 2018 to $1,327 in 2019 while building a $2B factory in Shanghai.  (Depreciation was $2,154M)  $TSLA $TSLAQ

14870) 0.0) December 15th: "Hey, let's short #TSLA $TSLA "  January 29th:  https://t.co/Jl90w20p5L

14871) 0.0) Tesla blasts through $600 after big earnings beat  https://t.co/UIYQdXEGTW $TSLA

14872) 0.0) $TSLA +$80 now. $645  Now the real squeeze begins.

14873) 0.0258) Benevolent Elon was only looking out for $TSLA bears when he said shorting should be illegal.  https://t.co/VaUEnW3QyP

14874) 0.0) This is pure gold! $TSLA &gt; @timseymour

14875) 0.0) I’m begging you @timseymour. I’m running out of room here!!  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/9m0qfG0qlR

14876) 0.0) $TSLA earnings beat up to $650ish afterhours and here I am trading 💩💩💩 #potstocks ugh lol

14877) 0.0) Imagine seeing these two $TSLA headlines from @SeekingAlpha delivered literally 10 minutes apart:  https://t.co/LI3BS8Hl8S

14878) 0.0) $650 LETS GO PAPA WE'RE HEADED TO $400000000  $tsla $tslaq

14879) 0.0335) Can’t help but think about all the long dated $TSLA calls with strikes like $750 and $800 that were bought in size over the last 3 months. No one cares what $TSLA had to rig to make the headline numbers. Longs have undoubtedly won the day in the Tesla. And the last 3-4 months.

14880) 0.0) Reiterating: $1000/shr by year end 2020. $tsla

14881) 0.0) Royal Bank of Canada raised it's $TSLA target price from $290 to $315. Meanwhile the stock is trading at $620 in after hours.   https://t.co/OzAj74EptT

14882) 0.0) If you held on to Tesla stock when it went back down to $180s, you the real MVPs. $TSLA  https://t.co/KxfL4Fyqs6

14883) 0.0) $TSLA close to hitting that 60 pt move. 50 points so far. Tomorrow AM we'll find out what the strangles/straddle wouldve paid out. then back to trading the calls/puts as usual once premiums return to normal. meantime let's sit back &amp; watch the armchair bulls/bears bite each other

14884) 0.0) $TSLA think we can expect the stock to climb higher during/after the call..

14885) 0.0) So, what’s the @Tesla short thesis now? $TSLA

14886) 0.0) $TSLA showing off the IN-APP PURCHASES (without mentioning the percentage of inadvertent „butt-orders“) is master troll level. $TSLAQ  https://t.co/0UT1jxoffA

14887) 0.0) This Evening's Twitter Demographics:  90% of FinTwitter went Long $TSLA before earnings but still don't have a position $TSLA

14888) 0.0) Gasping at $TSLA surging after-hours w/@MelissaAFrancis, @connellmcshane, @garygastelu on @FoxBusiness’ @AftertheBell. (Photo: @sellputs)  https://t.co/4x0KALL9EL

14889) 0.0) Guys what if Ark is right about $TSLA?

14890) 0.0) can they put $tsla in the S&amp;P 500 tomorrow?

14891) 0.0258) “After such expansions are done by mid-2020, installed combined Model 3 and Model Y capacity should reach 500,000 units per year. We will start delivering Model Y vehicles by the end of Q1 2020” $TSLA  https://t.co/A6xZ7OieKQ

14892) 0.0) 1/ 2019 is one for the books. $TSLA  https://t.co/TdGb6gxILl

14893) 0.0) More short covering into tomorrow morning $TSLA

14894) 0.0) Tesla quarterly revenue up 2% over the prior year. Stock up 6% after hours (all-time high) and 107% over the last year. $TSLA  https://t.co/ADcS1eucTk

14895) 0.0) $TSLA just paid for my 2 month excursion around Europe starting next month   Elon is the future &amp; the future is here

14896) 0.0) Gotta find that tweet where I talked about shorting $tsla..if you can’t find it then it never existed..wait I could be a politician...

14897) 0.0) After hours $TSLA going bonkers  https://t.co/RJRWK7D23H

14898) 0.0) this up 7% is garbage. cmon Elon start tweeting i wanted +20% $tsla $tslaq

14899) 0.0) $TSLA shorts thinking  https://t.co/QXWNMTPqus

14900) 0.0) how do you sell 20k cars more than you produce &amp; not have inventory levels decline dramatically?  $TSLA  https://t.co/jW5Gl3J8gD

14901) 0.0) Tesla (TSLA) crushes Q4 2019 results: Maintains profit, beats Wall St. revenue estimates 🏣📊  https://t.co/iW0fbBBkWv $TSLA #Tesla #EV  https://t.co/92q8L1xJhU

14902) 0.0) $TSLA give me $700

14903) 0.0) $TSLA trading up $50 from the close above $600 for the first time ever on these earnings numbers.

14904) 0.0) $TSLA will never go below $600 in my lifetime. Short burn of the century @elonmusk

14905) 0.0) BREAKING:  -Tesla Q4 EPS $2.14 Adj. vs. $1.72 Est. -Tesla Q4 Revs. $7.38B vs. $7.02B Est.  $TSLA +6%  https://t.co/eeU2D4FB7S

14906) 0.0) When is “The Big Squeeze” the movie coming out? $TSLA

14907) 0.0) "We will start delivering Model Y vehicles by the end of Q1 2020." $TSLA

14908) 0.0) Tesla $TSLA crushes Q4 2019 results: Maintains profit, beats Wall St. revenue estimates  https://t.co/CqpGK2JxD7

14909) 0.0) "The production ramp of Model Y started in January 2020.Together with Model 3, our combined installed production capacity for these vehicles is now 400,000 units per year."  $TSLA

14910) 0.0) Tesla beats expectations on earnings, stock price soars past $600. $TSLA  https://t.co/Vt83M0PdTh

14911) 0.0) Mother cyber trucking $TSLA......

14912) 0.0) $TSLA Tesla Q4 19 Earnings Results: -EPS: $2.14 (Estimate $1.72) -Revenue: $7.38B (Estimate $7.02B)) -Sees 2020 Vehicle Sales Above 500K Units

14913) 0.0) $TSLA  earnings report:    EPS: $2.14 vs. $1.62 est  Revs: $7.38B vs $7.05B est   First move higher

14914) 0.0) Tesla  - Ingresos: $7,380M vs $7,000M est - EPS: $2.14 vs $1.72 est  $TSLA +1.5% after-hours

14915) 0.0) EARNINGS: Tesla Q4 EPS $2.14 Adj. vs. $1.72 Est.; Q4 Revs. $7.38B vs. $7.02B Est. • $TSLA  https://t.co/XJiaAXChZG  https://t.co/79ecoMCVl0

14916) 0.0) #MarketWatch $TSLA closes at new record high of 580.99/share ahead of Q4 earnings release

14917) 0.0) $TSLA Put them in a body bag!

14918) 0.0) i'm live for the Tesla Q4 earnings report/shareholder letter!!! $TSLA #TeslaEarnings  https://t.co/QRlrYd3LcD

14919) 0.0) What are your predictions for $TSLA earnings?

14920) 0.0) Tesla Model 3 Is Nominated In German 🇩🇪 Government Fleet Program  $TSLA #Tesla #Germany #Model3    https://t.co/vDTi5My1TE

14921) 0.0) $TSLA shorts into earnings  https://t.co/7Lwu0O8NM6

14922) 0.0) “Elon Musk has spoken of the “exponential” ramp-up of its solar glass tile at the Buffalo factory. But pv magazine has found indications that the solar tile product is coming from a Chinese source.”  $tsla

14923) 0.0) $TSLA expected to report after market close

14924) 0.0) Here’s your sneak preview. Instant photo from out of the blue. $tslaQ $TSLA

14925) 0.0) Just bought $TSLA $650 2/14 calls.

14926) -0.0085) Insights from @Tesla analyst Alex Potter at Piper Sandler based on 2003 SARS outbreak in China:  1) Auto sales increase, less exposure to public transportation  2) Model S &amp; X have giant HEPA filter with Bioweapon defense mode  3) Consumers buy online  $TSLA #Coronavirus #FUD

14927) 0.0) $TSLA $650 or $550 tonight?

14928) 0.0) @Elons420Fraud I think Elon will aim for a blowout $tsla Q4, make excuses about Q1, &amp; guide for absurd 2020 numbers.

14929) 0.0) UPDATE 1/29: only enough time for 3 ships for Feb delivery. Implies 18k/Q run-rate and 27k max deliveries in Q1 in 🇪🇺.  Compares to 35.3k in Q4.  $TSLA $TSLAQ

14930) 0.0) $TSLA price today in after-hours trading...  Go!

14931) 0.0) $TSLA's solar roof supplier is part of SolarMax out of Riverside, CA. They attempted an IPO through Viewtrade.   https://t.co/TefscRa7O7  https://t.co/l7xgj5mn16

14932) 0.0) Quick Poll: $TSLA reports after the bell today. Does it close up or down tomorrow? Comment with your guess on how big the move will be.

14933) 0.0) Q3’20 will be next level.  $TSLA #NotSellingAShareBefore5000

14934) 0.0) Tesla is up more than 100% since its last earnings report.  Could today's report be the first step to an $800 stock? One options trader is betting on it... $TSLA   https://t.co/vDwKEyzwLg

14935) 0.0) Galileo Russell vs Gordon Johnson @Tesla Bear/Bull debate. Must watch TV. $TSLA

14936) 0.0258) Looks like the $TSLA whisper numbers are starting to leak.  https://t.co/YcTlHIrALr

14937) 0.0) So, over 200,000 in 1Q 2020 production guidance? Just a reminder when it comes to Musk’s guidance targets. $TSLA

14938) 0.0387) 🎣 I was fishing for another shoe-bet before Elon resets expectations tonight, but it seems that my followers and I agree on this one. Sigh...  #TeslaShoeBets are hard to come by😩  $TSLA #NotSellingAShareBefore5000

14939) 0.0) Changzhou Almaden Co. Ltd. featured "Solar Glass" as a product on its web site as early as June 3, 2019. Which begs the question: did $TSLA (really, Elon) give up and outsource to China in October 2019 specifically to cover up the SolarCity documents?  https://t.co/C4FPXK5dxE

14940) 0.0) Tesla delivered 301k Model 3s in 2019  How many Model 3 deliveries in 2020?  $TSLA #NotSellingAShareBefore5000

14941) 0.0) $tsla Solar Roof is “Made in China”? Is this what Elon said? Let’s check: nope... not what he said. Why would he lie?  https://t.co/NFdSu5OAL4  https://t.co/Ko57QDrqEv

14942) -0.0191) BAD--analysis of $TSLA --remember this quarter does not matter

14943) 0.0) Later tonight, I'll adjust...  #NotSellingAShareBefore5000  ... based on $TSLA fundamentals.

14944) 0.0) Tesla Q4 2019 Earnings Call: $TSLA Analysts Raise their Estimates   https://t.co/MuSGxesr7G

14945) 0.0) Dive in! $TSLA is the short of the century!     https://t.co/Za2WQzbF7C

14946) 0.0) Dilbert on Earnings Day : $TSLA $TSLAQ  https://t.co/nmO7TZ8oGV

14947) 0.0) "Rocket service from NY to London in 29 minutes, cost per seat should be about the same as full fare economy in an aircraft ramping up now. I sleep at the factory."  #Tesla $tsla $tslaq

14948) 0.0) The Year is 2025, the BofA analyst just raised their price target on $TSLA to $1600 from $1200 and keeps underperform rating

14949) 0.0) @slye $TSLA all the way. If private corporations count too, 50% $TSLA &amp; 50% SpaceX

14950) 0.0) Tesla Q4 2019 Earnings Call: Analyst Debates If $TSLA Is A Tech Or Auto Stock   https://t.co/2bdrC6GkQJ

14951) 0.0) Here's what I've got my eyes on for #Tesla's Q4 earnings report. $TSLA 👀   https://t.co/Mm197dQh29  https://t.co/lOAiXw6GfC

14952) 0.0) Ummmmmmm....🤔🧐 Anyone else seeing this??  $TSLA $TSLAQ  https://t.co/2EmddlC87T

14953) 0.0) All eyes on Tesla $TSLA, a big hit among millennial investors but it isn't the only stock they'll be watching during earnings season  https://t.co/MIJ3RTgbgh

14954) 0.0) Tesla vs Diesel Semi: Why Tesla Will Disrupt Commercial Trucking + Feature &amp; Cost Comparison 🚛🔋🔌  https://t.co/aqapgm4rjz $TSLA #TeslaSemi #EV  https://t.co/v5EaAPWpoO

14955) 0.0) Cramer hedging his bet on $TSLA?   https://t.co/rshzJXvuAb

14956) 0.0) There’s a new #2, and once $TSLA hits $1,130/shr, or thereabouts, there will be a new #1.  https://t.co/zJ2w4Xwbyw

14957) -0.0018) An article from our @Tesmanian_com blog on Jan 15th and I personally think it’s very important for most $TSLA investors.   “Fink’s decision to shift BlackRock’s investment approach with a focus on climate risk could lead other companies to do the same.”   https://t.co/NbHmnqCUXM

14958) 0.0) $TSLA Who did this? Oh my!  https://t.co/XYl0EzRjF0

14959) 0.0) Bearish for $tsla

14960) 0.0) Tesla speeds into earnings tomorrow, and one options trader is betting big on the stock. @Michael_Khouw has the details. $TSLA  https://t.co/u60o8vUDKm

14961) 0.0) Appendix:  I should mention that this gap vs. historical avg multiple for $TSLA is even clearer when looked at on Trailing 12 Mo Revenue basis. When analysts finally wake up &amp; update their 2020 revenue estimates, the two charts should look similar.  It's still very early days.  https://t.co/b4mbGjLN1y

14962) 0.0176) Despite $TSLA's nice run over the past few months, the stock still trades below the average of its historical multiple (as measured by Enterprise Value / Next 12 Mo Revenue).  1/5  https://t.co/fZuXzNFXqL

14963) 0.0) If Tesla gives 2020 guidance, my guess is they will guide for 550-600k vehicle deliveries this year.  $TSLA

14964) 0.0) Lets refresh it. The claim still stands. $tsla

14965) 0.0) I mean... really.... what’s the point?  $tsla Solar Roof  https://t.co/MsPHimro14

14966) 0.0) ⚠️Update ⚠️  Tesla filed a patent 'Dioxazolones and nitrile sulfites as electrolyte additives for lithium-ion batteries'  $TSLA #Tesla    https://t.co/oQxOb6f82M

14967) 0.0) So... the @Tesla earnings call is coming up... what are you gonna wear as you listen to the call?  $tsla $tslaq    https://t.co/NUzg8GBRkP  https://t.co/5fNld81JtM

14968) 0.0) Secret Tesla Model Y Spotted in the Wild! $tsla #tesla $tslaq  https://t.co/ihNAmVIjqn

14969) 0.0) Brandenburg's Economy Minister debunks myths about Tesla Gigafactory Berlin 🇩🇪 during 2-hour Q&amp;A  $TSLA #Tesla #Germany #GF4  https://t.co/JNvH5CsJ5L

14970) 0.0) Typical #Oslo traffic🔋🇳🇴 #Tesla $TSLA  https://t.co/o0Y6YDE10F

14971) 0.0) Tesla Q4 2019 earnings: What Wall St expects for $TSLA ’s historic quarter  https://t.co/hj8h8lsiKJ

14972) 0.0) So $TSLA can't operate their expensive new factory in Shanghai until April, at the earliest?

14973) 0.0258) This moronic statement from $TSLA shows they're oblivious to conditions in China amid the coronavirus outbreak.   There's no "moving throughout" China when 13 cities are quarantined. Who cares about supercharging? Send some N95 masks if you want to help, you blithering idiots.  https://t.co/skHVeCNQr1

14974) 0.0) $TSLAQ Headline Wed night: " $TSLA achieves record earning on record sales" Here's how they do it.  https://t.co/e5Do9DHu5T

14975) 0.0) Pre ER meme review. Who's having the stroke this time $tsla $tslaq  https://t.co/TzVmK9YJXP

14976) 0.0) I find this scenario for $TSLA's Q4 financial results highly plausible. The story on which @CoverDrive12 is commenting is here:  https://t.co/TB9nhypwn4

14977) 0.0) FactSet $TSLA Q4 &amp; 2020 consensus estimates heading into earnings👇  Q4:  • $6.99B rev • $0.43 GAAP EPS • $1.65 non-GAAP EPS • $429M FCF  '20: • 468k deliveries • $29.86B rev • $2.96 GAAP EPS • $6.78 non-GAAP EPS • $860M FCF  More discussion here:  https://t.co/3XSoyUPop2  https://t.co/Qpqs2XzHET

14978) 0.0) @alex_avoigt ... all manufacturers... except $TSLA.

14979) 0.0) Tesla Shanghai Gigafactory GF3 🇨🇳 Stamping workshop  $TSLA #Tesla #China #GF3  https://t.co/w8TVCjwdBt

14980) 0.0) Commented on $TSLA - Tesla:?sht=q4syjq&amp;shu=3sxj3 It's Earnings Time.  https://t.co/LLATk44xdB

14981) 0.0) Check out the Tesla Q4 2019 Earning Preview by @Gfilche from @HyperChangeTV 👍🏻👍🏻  $TSLA #Tesla    https://t.co/uXG22Jo7JV

14982) 0.0) .@orthereaboot &amp; I have written about this $TSLA warranty v. goodwill issue, suggesting it's material. Here, @evebitdap makes a reasoned effort to quantify it. @PwC, follow along?

14983) 0.0) Q4 2019 $TSLA Earnings Preview 👀  projections -$7B revenue -$400M EBIT -$700M FCF -Model Y customer deliveries imminent -Giga Shanghai production of ~1,000/wk -2020 guidance of ~550,000 deliveries   https://t.co/icsJMXq6C2

14984) 0.0) its up!  https://t.co/VOwOAiY90m $TSLA

14985) 0.0) Video upload in progress…  My Tesla Q4 2019 Earnings Preview  Should be out within the hour.  $TSLA

14986) 0.0) Tesla Applied German Government Aid For Battery Production &amp; Research  $TSLA #Tesla #Germany #GF4    https://t.co/hIxSvkcoMH

14987) 0.0) further concrete evidence that level 5 FSD is available when you buy a tesla. $tsla

14988) 0.0) Another Narrative Shift? $tsla $tslaq #Tesla  https://t.co/LxEs3sYQjw

14989) 0.0)  https://t.co/ATqPHnIq04  meanwhile...'Electric car maker Tesla, which just opened its first factory in China just outside of Shanghai, didn’t return multiple requests for comment.'  $TSLA

14990) 0.0) Q4 2019 $TSLA earnings preview vid will be live in ~2 hours

14991) 0.0) Tesla $TSLA 12:18pm started seeing deep ITM April $380 calls open and over 4000 in total for around $75M

14992) 0.0) What a twist! $TSLA  https://t.co/dq2IATk2hv

14993) 0.0) $TSLA trying to go green

14994) 0.0) $TSLA about to go green here.

14995) 0.0) What a recovery! $TSLA #Tesla  https://t.co/FwvPsVqpie

14996) 0.0) You know what's hot? Many Youtube channels now bringing out Tesla-related episodes. A lot of these channels are not known for cars or other related videos!  Long $TSLA!

14997) 0.0) Tesla CEO @ElonMusk Talks Tesla In China, Explains SpaceX And PayPal Launches In New ⁦@thirdrowtesla⁩ Podcast  $TSLA #Tesla   https://t.co/7roECQmR75

14998) 0.0) Added more $TSLA today  https://t.co/MEemQHE1mw

14999) 0.0) i got so much stockholm syndrome over here $tsla $tslaq  https://t.co/6TdSZIviPH

15000) 0.0) Who says #Tesla doesn't have any moats? $tsla  https://t.co/nk6HD4BhR2

15001) 0.0) Tesla $TSLA Reports Earnings on Wednesday: @AnnieGaus with 3 Things to Watch For  https://t.co/InFYhxwM0w

15002) 0.0) Tesla reports this Wednesday.  Based on Bloomberg, sellside consensus estimates are:  Q4: GAAP EPS 0.71 Adj EPS 1.78 Sales $7.05B  2020: GAAP EPS 2.37 Adj EPS 6.43 Sales $30.5B  Posting this as other systems often have inaccurate estimates due to conflating GAAP and Adj.  $TSLA

15003) 0.0) 14 Years On, @ElonMusk’s Tesla Master Plan is Still Going According to Plan  $TSLA #Tesla   https://t.co/qgSNP7abTH

15004) 0.0) Bought some more $TSLA this morning!

15005) 0.0) $TSLA earnings week  https://t.co/K0Y5CzweVt

15006) 0.0) 4) Then there's the question of sales recognition. $TSLA made over 2K MIC M3s &amp; one ship is on its way to China from Fremont. Most of these can't be delivered, due to the lock-down. I wonder if revenues on these cars can be recognized if they're not handed over to the customer?

15007) 0.0) A Boat can work as a $tsla for short periods of time  https://t.co/7jfkSMUHxb

15008) 0.0) $TSLA still am seeing an incomplete impulse here, suggesting further upside into ER. I still see the gap fill and 50% retrace confluence level of 548/549 being a bouncing point for W4. If it can hold, we should see 600+ into ER to finish the 5 wave impulse and it should sell off  https://t.co/TW8qrrfdMi

15009) 0.0) #BABYcharts doubling down on his $TSLA short over $350 ago   🥴🤡 $TSLAQ 🤡🥴  https://t.co/rNBzu7oxrr

15010) 0.0) One of these exists a little less than the other. Shills will shill... $TSLA $TSLAQ  https://t.co/un6tHfVCdF

15011) 0.0) History is bound to repeat itself, until it doesn't.    You can't just look at a stock price behavior from a company historically, and expect it to apply to another company in another industry and in another timeframe just because they have similarities.  $TSLA #Tesla #EVs

15012) 0.0) A @Tesla , some rain and a puddle.   Totally reliable for floating. Basically a boat.  $TSLA $TSLAQ  https://t.co/gv7OUZ9XBc

15013) 0.0) Future Headlines Today:  $TSLA Gigafactory Shanghai completely shut down, but Randall Model 3 tracker shows 6000 cars per week production.  https://t.co/4Ae3pE2ppy

15014) 0.0) $TSLA stock owners     https://t.co/H7MIuhv5C5

15015) 0.0) Elon Musk caught in the the passenger seat of the #CyberIdontGiveAFuck #Cybertruck.  It's been reported the refrigerator on wheels in an upcoming Jay Leno show.  Imagine this monstrosity on Autopilot? #Tesla $TSLA  https://t.co/58NM1LZehP

15016) 0.0) “We discover two more Tesla solar roof tile installations this week and update a few more. That leaves 998 more roofs to document this week, given Elon Musk’s claim of 1,000 roofs per week by the end of 2019.”  $TSLA

15017) 0.0) Tesla Gigafactory 4 Berlin 🇩🇪 Public Information Event.  $TSLA #Tesla #GF4 #Germany  Detail 👇🏻  https://t.co/7GdiciYSFe

15018) 0.0) “Tesla plant: A decision will be up to Gov. Andrew M. Cuomo come April if Tesla has not met its contractual obligation to have 1,460 workers at its South Buffalo plant.”   $tsla   https://t.co/JTUCtxWM9d

15019) 0.0) OMG! @Tesla bashing at the White House!  Fast forward to 58 min.  $TSLA   https://t.co/iT3G8nnPzO

15020) 0.0) 🚨🚨🚨🚨🚨🚨🚨🚨🚨🚨  Go to 58:00 and listen to Trump talking about $TSLA  🚨🚨🚨🚨🚨🚨🚨🚨🚨🚨

15021) 0.0) Elon Musk &amp; the futuristic Cybertruck were spotted filming near SpaceX HQ for an upcoming segment of Jay Leno’s Garage ⚡️🔮  https://t.co/2bVM6yMIIF $TSLA #Tesla #Cybertruck #EV  https://t.co/XRBXOKYitq

15022) 0.0243) @elonmusk Your #Tesla Model 3 Drive Units aren't good underwater Elon. It also voids the warranty when you drive them through high water like you've suggested in the past.  $TSLA   https://t.co/wNRQJD2MYH

15023) 0.0) @elonmusk Your trunks can't stand up to a little drizzle tho Papa.  $TSLA    https://t.co/z1HDjT74KZ

15024) 0.0) Just imagine for a second this happening to a Model Y, Cybertruck or Roadster.  $TSLA #NotTesla

15025) 0.0) Wedbush: Why Tesla Could Hit $900/Share 🏣📈🎯 $TSLA #Tesla #EV  https://t.co/hlXvWKi8WS

15026) 0.0) In July I predicted that the backlog of pre-ordered Teslas will only grow for the next TEN YEARS.  Today, new Teslas #Model3, #ModelS, &amp; #ModelX are SOLD OUT and waitlisted across the globe. Used Teslas are trading at high prices.  $TSLA

15027) 0.0) @cppinvest US sales already in steep decline, Europe will follow in 2020, and now the only region they can count on to mask the YoY plunge has got the plague. Whats the big deal?  $tsla

15028) 0.0) $TSLA RORO shipping from SFO, slow so far.  https://t.co/wCYFOLZ1aN

15029) 0.0) $TSLAQ bear pours red wine on white interior in order to hit $TSLA on Monday   https://t.co/gdydwNFLTD

15030) 0.0) European version of #Cybertruck coming soon. Prototype spottet around GF4.  @thirdrowtesla @28delayslater #Tesla $TSLA  https://t.co/TN8EMOonox

15031) 0.0) This is what we in the industry call a “P*ssy”. When the facts prove too much? Block. $TSLA bulls pleas send your 2nd ranked Thought Leader to me - I’ll be gentle. $TSLAQ  https://t.co/QhoiHMGb5H

15032) -0.0258) 😂 beating Adam Jonas with a $0-$2k price point?   $TSLA  https://t.co/OUZAD3wwpP

15033) 0.0) Tesla not a cult stock  Dare I say? A Go-car cult  It’s a technology stock  $TSLA    https://t.co/x3k83MkoS6

15034) 0.0) Do y’all remember this gem? I think it’s time I start reviewing some of this content in the coming weeks. Maybe months. There’s a lot to go through. Stay tuned 🤠 $TSLA  🥴🤡 $TSLAQ 🤡🥴  https://t.co/Q7gqMM5JRO

15035) 0.0) And the Holy Trinity of $TSLA Demons triedeth to meeteth. @RationalEtienne  https://t.co/OUiJ1rxQc5

15036) 0.0) WEEKEND HOMEWORK  Determine the bottom-end of the 2020 deliveries guidance range that @Tesla management will provide on Wednesday.  $TSLA #NotSellingAShareBefore5000  https://t.co/F82cINMXmO

15037) 0.0) Keep shorting #DumDums  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/4QgfU7iwGa

15038) 0.0) I'll eat my shoe if Model Y production at Giga Shanghai has not started by the end of Q3'20 #TeslaShoeBets 🇨🇳  $TSLA #NotSellingAShareBefore5000

15039) 0.0258) @alandail @SenMarkey Factor in how much newer the $TSLA fleet is than average OEM fleet; that Autopilot is used primarily on highways (safer for all cars); &amp; that Autopilot appears to disengage milliseconds before each crash. Then, get back to us. Or, consult @Tweetermeyer, who has done the work.

15040) 0.0) I will eat my shoe if Tesla doesn’t deliver 545,000+ vehicles this year $TSLA

15041) 0.0) "You'll also see the advent of what I would say is about the size of a Progressive, from an insurance standpoint. Progressive has about 13M policies in force, $36B in revenue, $48B in market cap.” $TSLA  https://t.co/UsEdDir9MW

15042) 0.0) 🤣Thanks @JohnnaCrider1 for including my smart-ass tweet! #Tesla $TSLA

15043) 0.0) Employment Agency expects up to 30K applicants for Tesla German Gigafactory GF4   $TSLA #Tesla #Germany #GF4   https://t.co/5UXuqU0IrA

15044) 0.0) Home delivery of the Tesla Model 3 in Japan 🇯🇵   $TSLA #Tesla #Japan #Model3    https://t.co/l7ByhzEof7

15045) 0.0) Tesla to $1 trillion? Here's how the surging stock can get there, per @EddieWouldGrow's analysis. $TSLA  https://t.co/qy0TpL8AxL

15046) 0.0) Tesla wants to use less water at Gigafactory 4 than planned, says BUND  $TSLA #Tesla #GF4 #Germany   https://t.co/raVGf2b5bl

15047) 0.0) Tesla Gigafactory 4 Ammunition Recovery Teams Hit Their Stride In Removing WWII Bombs from GF4 Forest  $TSLA #Tesla #GF4 #Germany   https://t.co/Z1lmfn26Qr

15048) 0.0) 8/ Does Boston mention the billions in subsidies that have sustained $TSLA? No. Does Boston mention that $TSLA's U.S. sales have recently *declined*? No.

15049) 0.0) RING THE BELL!!! 🔔🔔  "cross that half-a-trillion, maybe even a trillion-dollar market cap"  $TSLA #NotSellingAShareBefore5000   https://t.co/AWDmYa4Kaz

15050) -0.0338) Tesla was never a failing business or going bankwupt, I always try to stay with the facts and will continue to defend $TSLA against the FUD.

15051) 0.0) I think the thumbnail says it all for this one... $TSLA #BMW #Tesla    https://t.co/ubUEOM5k7s  https://t.co/vR6WhCpOTK

15052) 0.0) I'll eat my shoe if either @Tesla or @SpaceX has not produced an electric, supersonic VTOL by the end of 2025 #TeslaShoeBets  $TSLA #NotSellingAShareBefore5000

15053) 0.0) I'd rather see @Tesla produce 2x as many ~500mi-range batteries that recharge in 20 min and last for a million miles.  $TSLA #NotSellingAShareBefore5000

15054) 0.0) $TSLA trading higher in pre-market as their cars can be used to drive around the zombies in the upcoming apocalypse.

15055) 0.0) @DuneInvestor @EconguyRosie Most “hypergrowth” companies don’t have y/y sales declining as $tsla did in Q3 and will be flat in Q4. Tesla now also spending less on capex than depreciating.  “Hypergrowth” for you.

15056) 0.0) An estimated 10 million U.S. households are “very likely or extremely likely to purchase” a Tesla as their next vehicle. -Eddie Yoon $TSLA ⁦@elonmusk⁩   https://t.co/2aftYYbUI3

15057) 0.0) 1) As mentioned before, a key question for $TSLA Q4 earnings is how much capacity are the new Fremont Y, GF3 &amp; GF4 production lines adding? My guess is that the design capacity of each new production line (3 Model Y lines, 2 new Model 3 lines) is 28 per hour &amp; 4.7k per week.

15058) 0.0) $TSLA stock price passed $500 a few days after we got 500 reviews for Tesla Daily on Apple podcasts. My analysis shows that we need about 45 more reviews to push $TSLA stock above $600, let’s make it happen!   https://t.co/ClTqx6junp  https://t.co/HkSO2mlkEa

15059) 0.0258) Tesla could eventually reach a trillion-dollar valuation, think tank says $TSLA (via @TradingNation)  https://t.co/0rldSIzj84

15060) 0.0) The analysts  and auto industry r trying to paint the EV as an evolution in the auto industry. It is not ! Computer centric EV is a fundementally different technology. Having 4 wheels in common does not make it familiar to existing ICE junkyard.  $tsla

15061) 0.0) UPDATE High-end BEV's in Norway: Holy E-Tron... 😳 $TSLA $TSLAQ  https://t.co/95CB2NPdue

15062) 0.0) UBS: “Sure, we assigned a new analyst to cover $TSLA...  ... but our analysis is still #ÜbermäßigBeSchissen!”  https://t.co/htl3dz4pUm

15063) 0.0) JPM paper from this morning about $tsla $tslaq. Very insightful. #tesla  https://t.co/1S5zd1Ywoy

15064) 0.0258) More proof that @CathieDWood continues to pump $TSLA without having *any* knowledge of the automotive world &amp; even $TSLA's acquisitions, for that matter.

15065) 0.0) @TeslaDiehardFan @elonmusk @jimcramer We all ❤️ $TSLA

15066) 0.0) $TSLA  So JPM did the math - as we all did - , coming up with the same conclusion as every sane investor, namely that Tesla‘s stock price at current levels bakes in lots of unlikely assumptions. Dec 2020 tgt of $240 maintained

15067) 0.0) $TSLA: How're things in Europe right now?  $TSLAQ  https://t.co/fSa8zCRnJ5

15068) 0.0) A company who bought Maxwell last year, the name is @Tesla.   Symbol: $TSLA

15069) 0.0) #ExplainBABYCharts #FraudWatch day 358  Another day, another Pauliedumdum summons 🤟🤟  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/lob5NO8IM2

15070) 0.0) @QTRResearch Maybe he’s just short $TSLA

15071) 0.0) Cathie Wood reminds me of Henry Blodget in 1999. $TSLA

15072) 0.0276) Aftermath of a little happy hour action with my dad (@PlugInFUD ) and my dumb cousin (@_GiveWhat_ ) $TSLA $TSLAQ  https://t.co/vNpIUsUrm1

15073) 0.0) After $TSLA short squeeze and subsequent Bloomberg BusinessWeek cover did have a déjà vu ~20 yrs later  As @MarkYusko pointed out this week ENRON stock had a massive short squeeze from $20 to $90 in a little over a year before it fell to zero  Remember: History repeats itself  https://t.co/o3P8LyOIy3

15074) 0.0) NEW PODCAST: Quoth the Raven #170 - Mark Spiegel  https://t.co/oqW1JGQVlm $TSLA

15075) 0.0) @EVNewsDaily look, a Self Charging Hybrid  $TSLA

15076) 0.0) When your mom finds out you’re short $TSLA    https://t.co/CLvmIstPf0

15077) 0.0) @FastEVRides @Tesla $TSLA was my first stock investment.

15078) 0.0) Nader with the gloves off on $TSLA.   Long-term basic technical chart (RSI/MACD) does look to be at manic overbought levels.  https://t.co/c8x8mrgdh3

15079) 0.0) Details Of Tesla Latest Patent - 'Vehicle Positioning Technology'  $TSLA #Tesla   https://t.co/dGD2CpDqJ3

15080) 0.0) $TSLA will move sooo quickly through this ladder.

15081) 0.0) Syosset, NY $TSLA lot 1/23:  Not much change since New Year’s Eve.  Service Center: 1 or 2 new cars Inventory Lot: About 6 new cars  Less cars in for service than normal.  Jan. U.S. will be something.  @TESLAcharts @btsparks @RhinoVesting @Paul91701736 @montana_skeptic @cppinvest

15082) 0.0) $TSLA Market Cap relative to all publically traded companies: #91  Just a little perspective.    @ICannot_Enough @TeslaPodcast @thirdrowtesla  https://t.co/ckljV7sgnh

15083) 0.0) Pier 80 Today®...Glovis Challenge has been here since late on Tuesday and what we're seeing at the pier is about what we'd expect. Cars are not quite being replaced at the pace of loading, but we've seen that before. I suspect Fremont is building NA as well as RoW. $tslaQ $TSLA  https://t.co/t9DsYYQjDt

15084) 0.0) $TSLA let's go ....

15085) 0.0) Model 3 production scaling was $TSLA ‘s bet the company moment.  #Coordicide is #IOTA ‘s bet the protocol moment.   🦾🤖⚡️ https://t.co/pj0KL49EnP

15086) 0.0) "There's now an air pocket under this stock." $TSLA(s) (h/t @markbspiegel)  https://t.co/XrIgTBCqlG

15087) 0.0) "Short burn of the century" is coming.  $TSLA #NotSellingAShareBefore5000

15088) 0.0) $TSLA f**ck those shorts

15089) 0.0) @RampCapitalLLC When you exited your $TSLA short at $185

15090) 0.0) Wait until Tesla starts buying lithium mines  $TSLA

15091) 0.0) Anyone sees similarities between Computer Associates and $TSLA? HINT: CEO compensation is linked to Market cap targets  https://t.co/7zHCNWTZIE

15092) 0.0) Watch out $TSLA, UBS reiterates it’s sell rating. However, they raise their price target by $250 to $410.  https://t.co/qtfhznR17F

15093) 0.0) $TSLA analyst puts sell rating on stock and raises price target over 200%......🤔🤔🤔🤔   UBS resumes coverage of Tesla with a Sell rating raises price target to $410 from $160

15094) 0.0) today in things you don't read in a bear market: UBS reiterates its sell on $TSLA but upgrades its PT from $160 to $410.

15095) 0.0) $TSLA : UBS RESUMES COVERAGE WITH RATING SELL

15096) 0.0) $TSLA : UBS RAISES TARGET PRICE TO $410 FROM $160

15097) 0.0) Drive electric $Tsla   https://t.co/TCDKRfeNqf

15098) 0.0) This doesn't look #bullish to me $TSLA  https://t.co/EBw5Uzx05V

15099) 0.0) Another view of $TSLA @allstarcharts @LMT978  https://t.co/cub1t4sk7g

15100) 0.0) Tesla CEO, Elon Musk getting deposed in Phoenix, February 21, 2020 in the Martin Tripp case.  Guess Musk's NEW attorneys couldn't get him out of the depo either.  $TSLA $TSLAQ  #ForcedAccountability  https://t.co/XwnJGVUbxV

15101) 0.0) Postcard from the Real World. $tslaQ $TSLA &gt;series gallery  https://t.co/2SuIMxADiF  https://t.co/hY1djgF2Qg

15102) 0.0) Tesla will post Q4 &amp; full year 2019 financial results after market close on Wednesday, January 29, 2020. Live Q&amp;A webcast at 3:30 p.m. PT (6:30 p.m. ET) 🏣📊  https://t.co/ckKzTsDMk3 $TSLA  https://t.co/eVV2KNsGRv

15103) 0.0) Read Ralph Nader's new book:  "Tesla: Unsafe At Any Valuation"  $TSLA $TSLAQ

15104) 0.0) Maybe she could compare perishing in the blast of a Supernova to being cremated in a $TSLA that erupts into flames while its occupants are unable to operate the doors?

15105) 0.0) @CNBCFastMoney Here's a collection of analyst calls on $TSLA over the years:   https://t.co/opPqPP2UGE

15106) 0.0) @RalphNader @Tesla For your reference, here's a collection of analyst calls on $TSLA over the years:   https://t.co/opPqPP2UGE

15107) 0.0) @RalphNader @Tesla Ralph did you short $TSLA? 🧐

15108) 0.0) If you've been following @rethink_x @tonyseba @Tesla for at least a year, then ~20% of this video will be new information, but if you're relatively new to electrification, autonomy, and $TSLA, then this presentation is a MUST-WATCH for you! Start at 20:00   https://t.co/RR93Jw2P5Y

15109) 0.0) *Tries to short $TSLA once*  https://t.co/c1oTgCeuwo

15110) 0.0) Get these poorly made Tesla's and (Checks notes) Youtube influencer off the road! $TSLA $TSLAQ  https://t.co/ahjnYzV5qe

15111) 0.0) @RalphNader @PlainSite Check out @PlainSite's write-up on $TSLA and  https://t.co/Zt5bKUIsiL if you haven't already.   It might be time for you to update "Unsafe At Any Speed" with a chapter on #Tesla.

15112) 0.0) To those that Shorted $TSLA at $594 today....  https://t.co/7AwgEdZpgE

15113) 0.0) $TSLA bull flag on hourly. Lets get that 600

15114) 0.0) Don’t try to “time the market”, invest long term in companies that you believe will continue to grow after fundamental analysis. $TSLA

15115) 0.0) $tsla at $666 BEFORE Valentine's Day.

15116) 0.0) Don’t say I never told ya ... #Tesla $TSLA  https://t.co/rhwHUirhqk

15117) 0.0) $TSLA half of the float traded in options today  https://t.co/JGmcJkJKjQ

15118) 0.0) $TSLA met 2 upside targets.........off simple symmetry!  https://t.co/fXrz3X0qTD

15119) 0.0) BTW.  The last two times $tsla was $90 points above the 8day. It pulled in $30-$40 over the next two Days. The 8day is $510ish

15120) 0.0) Volkswagen Oct2008 : "Short Squeeze of the century"  $TSLA : "hold my beer"  https://t.co/XVsmVlwaA7

15121) 0.0) This $TSLA gezzzzuss This was my @Day_TraderPro  room call for today  https://t.co/314wnzowAw

15122) 0.0) When everyone else is buying $TSLA, @elonmusk is buying Bitcoin

15123) 0.0) $TSLA $TSLAQ It has been months since I have posted Texas M3 deliveries. The slow start to this quarter is a symptom of having almost zero cars left in inventory in the US. As a result, it will be the slowest month for deliveries since M3 production began.  https://t.co/raY9x7vDC3

15124) 0.0) Live look at $tsla stock  https://t.co/54nwySvFrz

15125) 0.0) $TSLA hello $600 today?

15126) 0.0) Hedge Fund Taken Out This Morning Because of $TSLA Short - Chatter Via @DougKass

15127) 0.0) $TSLA fucking short burn of the century

15128) 0.0258) $TSLA stock at 585. Made 1700$ profit(20%). I bet you guys regret not investing when I told you to, 2 weeks ago😂

15129) 0.0) I just heard a hedge fund was taken out this morning because of a large $TSLA short. Another lesson learned. @jimcramer @tomkeene @cnbcfastmoney @SquawkCNBC

15130) 0.0) If the market cap of $tsla stays above $100B in the next 6 months, Tesla CEO @elonmusk will finally get paid. Can you imagine a CEO not getting paid since IPO? 10 years working for minimum wage as CEO. Elon deserves every penny for what he does for Tesla and the human race.

15131) 0.0) This was a little over 7 months ago...  🤯🤯🤯  Looooooong $TSLA

15132) 0.0) I know several people that are FOMOing into $TSLA today...  https://t.co/4sFx9WGggb

15133) 0.0) @QTRResearch Wake me up at $TSLA $TSLAQ $1,000.00. Can't wait to read about short positions in Q4 2019 investor letters.

15134) 0.0) Less than 15 trading days into 2020 and $TSLA is already up 40% YTD.

15135) 0.0) Over the past month, $TSLA has outperformed every stock in the NASDAQ 100 by more than 2x.  https://t.co/InMFvpsMZN

15136) 0.0) Lots of rumors swirling on #ModelY as of late. Here's a deep-dive into everything we know right now and how all that information fits together to give us the most realistic estimate for first deliveries. $TSLA #Tesla   https://t.co/wf31Q1Bibo  https://t.co/l75dvFEG8x

15137) 0.0) They're going for $TSLA March 1000 calls

15138) 0.0) $TSLA Is up another 5.6%. Read @danahull on all the $TSLAQ short sellers who are being taken out of the arena on stretchers  https://t.co/jOfpu2WMN6

15139) 0.0) Gulp....  $TSLA  March $1000C this morning up to $2 x 2000

15140) 0.0) This is a new world, Tesla dictates the standard in the automotive global market $TSLA

15141) 0.0) Tesla target raised to $550 ahead of ‘likely strong’ delivery guide at Wedbush 📊🎯  https://t.co/NjaXkGI286 $TSLA #Tesla #EV 11/22/19 ⬇️  https://t.co/fVnNrIvog4

15142) 0.0) $tsla today will close at $598 and after hour $605:)

15143) 0.0) Hear Ye, Hear Ye!  And   Hear Me, Hear Me!  Hear my intro and outro poems 😉  Especially the “By Request” outro  The New TC ChartCast is posted!  $tsla $tslaq #Tesla

15144) 0.0) @BW Just sayn'  $TSLA $TSLAQ  https://t.co/nIo4IThiO1

15145) 0.0) doing my part to make $tsla go to $666.  https://t.co/yedyLnMqS9

15146) 0.0) Rinse &amp; Repeat. $TSLA  https://t.co/VS8NzblgCi

15147) 0.0) If $TSLA opens up today over $550 I'll eat my breakfast!  (Note: I usually skip breakfast)

15148) 0.0) Of course!  $TSLA  https://t.co/F9rcmjyJ9R

15149) 0.0) Here's why @JimCramer thinks it's time to rethink how to approach Tesla $TSLA stock:  https://t.co/F7G0VJffuE

15150) 0.0) "How do you feel about your short position?" $TSLA $TSLAQ  https://t.co/tJYVMha6qg

15151) 0.0) $TSLA as the market opens  https://t.co/50OqlUL5gI

15152) 0.0) Presented without further comment  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/JxGeCK1MhF

15153) -0.0258) Stock price &amp; underlying health of a company are two v different things. $tsla is as objectively as distressed as twas a year ago, that might be an interesting article.  Reminder, $tsla is still in the 5th percentile for financial health (out of 99).  https://t.co/v0RIJJ61Io

15154) 0.0) Take that, shorts.  The WHEEL.   $TSLA

15155) 0.0) "Betting against @elonmusk is a bet against humanity..." ~ @andrewrsorkin   $TSLA

15156) 0.0) Just returned from vaca, &amp; I’m headed on a vaca... $TSLA 575+  https://t.co/sVsdrNFvqW

15157) 0.0) 🤯🤯 $TSLA to $600 today??  https://t.co/JoZmMO3dmd

15158) 0.0) Added $tsla at 540 and then 555 🚀

15159) 0.0) $TSLA +5.60% pre-market. Market cap exceeds $100B.

15160) 0.0) $tsla up 15% in a trading day and a few after hours. You know they will eat up calls at 9:30 sending it who knows where  https://t.co/qtCgwVZpEc

15161) 0.0) $TSLA PT RAISED TO $550 FROM $370 AT WEDBUSH

15162) 0.0) The race is one. Who will be first?  1. Betelgeuse goes Supernova  or  2. $TSLA Short Squeeze

15163) 0.0) This explains $TSLA @elonmusk is the Hulk!  https://t.co/uyc8Y4zycF

15164) 0.0) Let the $TSLA $100 Billion 🎶 song begin! Wooooo!!🎙     https://t.co/mZnEu9Hou5

15165) 0.0) Tesla just traded as a $100 billion company for the first time (in after-hours trading) $tsla  https://t.co/vvSQSF3OCB

15166) 0.0) A tesla SC has run out of 12v batteries. $tsla

15167) 0.0) Tesla’s Newest Big Battery in Australia Set to Back Up Wind Farm | Bloomberg  $TSLA  https://t.co/vvLfYeEI91

15168) 0.0) $tsla 694.20 will be the new $420.69  Count it

15169) 0.0) ⚠️Breaking⚠️  Tesla Model Y Performance Deliveries May Begin Next Month‼️  $TSLA #Tesla #ModelY  https://t.co/vEKV0C6kEw

15170) 0.0) Model Y will start delivering next month starting with performance, then working through cheaper configs.  #Tesla @tesla @elonmusk $TSLA  https://t.co/e2ZeFHGjsp

15171) 0.0) ... all configurations available by Q3?!  $TSLA #NotSellingAShareBefore5000

15172) 0.0) Model y customer deliveries next month all variants by q3 $tsla #tsla #modely  https://t.co/1uuy1P96Uc

15173) 0.0) SUA - Sudden Unintended App purchase $tsla

15174) 0.0) "ꜱᴛᴀʀ ᴛᴇꜱʟᴀ ᴇᴘɪꜱᴏᴅᴇ ᴠ: ᴛʜᴇ ᴘʀᴏᴘʜᴇᴛ ꜱᴛʀɪᴋᴇꜱ ʙᴀᴄᴋ."  Faithfuls would watch it! *Looks at the $TSLA stock* Nevermind, I think we just did.🙏  https://t.co/RaqaK42raG

15175) 0.0) Tesla just traded as a $100 billion company for the first time (in after-hours trading) $tsla  https://t.co/tRfr3Q6aZk

15176) 0.0) Hmm, is there a term for when you set a new all-time high in after-hours? Some sort of animal? Right on the tip on my tongue for weeks... 🐂 $TSLA  https://t.co/PFsNG4wiIi

15177) 0.0) Did y’all get @davidein’s Q4 investor update?  I think I can translate his $TSLA, “was not large enough to qualify for this list” part   &lt;clears throat&gt; “So, uh, we bought a bunch of #TSLAQbagholder2020 puts expiring January that are total 💩 now”  🥴🤡 $TSLAQ 🤡🥴  https://t.co/BaFXD9LvHF

15178) 0.0) $553.50 After hours $TSLA  https://t.co/s0AzijiDfR

15179) 0.0258) I have been extremely adamant about NOT shorting this yet. Incomplete bull impulse still suggested further upside which we are seeing. My long entry alerted sub 500 a couple days ago looking 🔥 STILL more left in the tank. Thank you for the fuel to the squeeze perma bears $TSLA  https://t.co/m1cNB63Vav

15180) 0.0) The higher $TSLA goes the higher it can go.  Momentum is a helluva drug in the stock market.

15181) 0.0) $TSLA 552+ in AH. Just saying.

15182) 0.0) Don’t go anywhere folks we aren’t done yet. $TSLA ripping past 550 after hours!!

15183) 0.0258) $TSLA  "Brokerage app Stake, which allows Australians to buy shares on the American stock market at relatively low cost, said that more than one-sixth of its client base currently has money invested in Tesla, making it the company's most-invested stock."   https://t.co/mZdOij07V5

15184) 0.0) Do you think $tsla will break 100 Billion Market Cap Tomorrow?  https://t.co/Khm0ftGRHB

15185) 0.0) $TSLA new all time high  https://t.co/xPl3QT1t0R

15186) 0.0) MODEL 3 DOES NOT DEPRECIATE  $TSLA #NotSellingAShareBefore5000

15187) 0.0) MODEL 3 DOES NOT DEPRECIATE!  $TSLA #NotSellingAShareBefore5000

15188) 0.0) New Street Research Raised Tesla ( $TSLA ) Price Target From $530 to $800   https://t.co/EKamSVWvGU

15189) 0.0) Tesla Model Y deliveries can start in 2 weeks [Rumor]  $TSLA #Tesla #ModelY    https://t.co/dm3POk8Epi

15190) 0.0) Elon Musk mentioned “robotaxi”  on 10/11/19... immediately after the tweet below... and a parenthetical on 10/23/19. He has not used the word in the last 90 days.  $tsla  https://t.co/1OfSTJDAqU  https://t.co/e3Yfa20rpS

15191) 0.0) Tesla $TSLA continues meteoric rise amid new $800 price target upgrade  https://t.co/dhi1KSJbVD

15192) 0.0) @TeslaAgnostic What if $TSLA is the Nokia in this analogy?

15193) 0.0) ... Δ in followers since this tweet: +1  $TSLA #NotSellingAShareBefore5000

15194) 0.0) Just another day at the office. $TSLA  https://t.co/SU8EuG94lD

15195) 0.0) Remember when $420 seemed impossible? Here's where $TSLA stock could head next:   https://t.co/YqzrnWmKYG

15196) 0.0) $TSLA model 3 production at Freemont is ~7000 / week

15197) 0.0) $TSLA bulls, again today.  https://t.co/F2GOIH4L0w

15198) 0.0) @p_ferragu $tsla would be Nokia in this comparison . . .

15199) 0.0) "explain $TSLA in 3 words"  https://t.co/WUot1Cd4vJ

15200) 0.0) All signs point to #ModelY announcement in Q4 ER. Mark your calendar for $TSLA call at 3:30 PST on Jan 29.   https://t.co/apskXkCfLW

15201) 0.0) Another $TSLA upgrade.. you know what that means  https://t.co/UGUhEGQNU1

15202) 0.0) $tsla claims an entire petition filled with 120 separate incidents by its customers is baseless bc “short-seller”.  Also $tsla, the consultant who wrote Netherlands incredible Tesla giveaway just happens to be a paid consultant for the company.

15203) 0.0) New Street research raises PT from $530 to $800 $TSLA   https://t.co/2VZu7X7wPt

15204) 0.0) $TSLA PT raised to $800 from $530 at New Street(?) - keeps Buy rating

15205) 0.0) New Street Research Raises $TSLA Price Target to $800 from $530  Bernstein Reiterates a Market Perform Rating on $TSLA, With $325 Price Target  So who's got the Tesla story right?   https://t.co/6grgPjy1ao  https://t.co/hUvl6jrLCh

15206) 0.0) $TSLA Tesla PT Raised to $800 from $530 at New Street Research

15207) 0.0) $TSLA PT RAISED TO $800 AT NEW STREET RESEARCH

15208) 0.0) $TSLA Boutique firm out with $800 pt

15209) 0.0) @laque_tess @TESLAcharts @tslaqpodcast @ElonBachman @markbspiegel @QTRResearch that's one way to talk about an *actual* Tesla founder. I wonder what he would say about working with Musk.   $tsla  https://t.co/42rlWYoDvA

15210) 0.0) $TSLA I would expect more downgraded as the sentiment has shifted. Its time to bleed out longs.  #SHORT

15211) 0.0) I wonder where all this anti-Eberhard stuff is coming from all of a sudden.  $TSLA

15212) 0.0) Other car companies account for 99.9% of unintended acceleration incidents.  (16,000 per year.... Tesla having ~120 over 7 years) $TSLA  https://t.co/eGfKX30HNd

15213) 0.0) Where is the evidence that Tesla owners report unintended acceleration "much more frequently than owners of other wehicles"? @thirdrowtesla @28delayslater @Tesla #Tesla $TSLA  https://t.co/hhf9IFeQx3

15214) 0.0) Model3 sales will skyrocket in UK in Q2. Norway- Netherlands-UK sequence. Each market is larger than the former one. $tsla

15215) 0.0) He states that he has $1B in margin loans.  $TSLA

15216) 0.0) Part 1 of @thirdrowtesla with @elonmusk is live!!! $tsla #tesla

15217) 0.0) Tesla is building a Finance Platform?...... 🤔🤔🤔  $TSLA  https://t.co/inXpDRvNe9

15218) 0.0) "I just think that Elon Musk is... is a genius" - Sandy Munro  #cybertruck #tesla    https://t.co/nx957CKdYe  @elonmusk $tsla

15219) 0.0) In 2007, when the iPhone was released, Nokia's market cap was $80bn. 12 years down the line, Apple is at $1.4tn... Doesn't that make comparing market caps of $TSLA and Ford or BMW totally irrelevant?

15220) 0.0) Does that source start with Jim and ends with Chanos?  Or maybe starts with Mark and ends with BS.  $TSLA

15221) 0.0) MODEL Y SOON, legacy auto and shawties won’t even see it coming $TSLA

15222) 0.0) Tesla's New Mission Statement:  "To unintentionally accelerate the world’s transition to sustainable energy.”  $tsla $tslaq

15223) 0.0) Tesla Model Y will be in @jayleno’s  @LenosGarage show soon [Rumors]  $TSLA #Tesla #ModelY    https://t.co/zAGMoovRYK

15224) 0.0) Go figure!  $TSLA squeeze to the moon coming

15225) 0.0) @ValueAnalyst1 @TheJewbyrd7777 Napoleon also said this.  I think he might have been talking about the Tesla gigafactory in Shanghai  $TSLA @Tesla  https://t.co/Tt3n49iR5T

15226) 0.0) @Tesla Ok, so if we are to believe this spin, why does @Tesla let drivers accelerate through walls when the car is filled with cameras and sensors? Why do you not remove torque from the motors? $TSLAQ $TSLA

15227) 0.0) Tesla: “our customers are idiots and liars”. $tsla $tslaq

15228) 0.0) $TSLA - PETITION REGARDING SUDDEN UNINTENDED ACCELERATION IS "COMPLETELY FALSE"

15229) 0.0) $tsla #Tesla How many shorts-killing news are there this weekend?   "Tesla Model Y deliveries now expected to commence in two weeks"   https://t.co/GyYSIygE0z

15230) 0.0) MODEL 3 DOES NOT DEPRECIATE  $TSLA #NotSellingAShareBefore5000

15231) 0.0258) @mrkylefield If you won't deal with the facts, question the motives.  Are the motives of @zshahan3, perhaps the leading $tsla cult propagandist (which is saying a lot), more pure than those of the petition's authors?  Motives are marginally relevant; facts are what matter most. $tslaq

15232) 0.0) Is this all they serve guests on CNBC these days? $TSLA $TSLAQ @ElonBachman  https://t.co/bI6QXYBKAH

15233) 0.0) 2/2) Indeed, this Chinese blogger feels that the recent price cut to RMB 299K (including EV subsidies) has demoted the Model 3 from luxury status to the "rank of a scooter". Well done, $TSLA.   $TSLAQ   https://t.co/BYAMqh4XqH  https://t.co/GprdyxBs0Y

15234) 0.0) Am I doing this right @elonmusk   $TSLA  @Tesla  https://t.co/g5CqGFqWbU

15235) 0.0) Beware Wright’s Law $tslaq. For every cumulative doubling of production you get a corresponding price decline. The whole $Tsla story changes dramatically when the sticker price of a #Tesla is less than a gas burner. Ark say ~TWO YEARS   https://t.co/b8hZgMfbRW

15236) 0.0) $TSLA autopilot makes headlines the few times it actually works  https://t.co/nbBCpWZFf0 via @Insideevs

15237) 0.0) Is Tesla changing out batteries on a large scale as this article suggests? $TSLA $TSLAQ  https://t.co/TJfGdO3H6d

15238) 0.0) Tesla Cybertruck's CapEx for 50K: $30 million  F-150 CapEx for 50,000 ~ $210 million  F series + Dodge Ram + Silverado = 1.5 million U.S units in 2019.   How many Cybertrucks could Tesla sell if they were cheaper? Cybertruck CapEx is ~1/7! $Tsla  https://t.co/NIS7YbmHAE

15239) 0.0) One SUA a day keeps the NHTSAway  $tsla

15240) 0.0) @russ1mitchell China is “on the books”. The capex is just not run through the cash flow statement(but is on the balance sheet). Capital lease accounting. $TSLA

15241) 0.0) #Tesla #china off the hook. $tsla

15242) 0.0) This + the warranty/goodwill story last week.  Did InsideEVs check bounce? $tsla $tslaq   https://t.co/QWa8EHJaJp

15243) 0.0) Date of Tesla Q4 and full year 2019 Financial Results and Q&amp;A Webcast:  Wednesday, January 29, 2020  3:30 p.m. Pacific Time /   6:30 p.m. Eastern Time   https://t.co/a4ellzdw4D  $TSLA #Tesla

15244) 0.0) You are forgetting that the VW I.D. is coming  Oh wait never mind  $TSLA

15245) 0.0) “Reignition” is not a word I saw much before I started paying attention to Tesla. $tslaQ $TSLA

15246) 0.0) Musk believes the Model Y will outsell the Model S, Model X, and Model 3 COMBINED.  $TSLAQ Shorts, I need you to really let this statement sink in, DEEPLY.   You guys are f*cked. 📉  $TSLA #Tesla

15247) 0.0) Why is the German government subsidizing the building of a Tesla factory that intends to mostly employ Poles?  $tsla

15248) 0.0) The experience would not be complete without watching the replay here  #SarasotaSupercharger  $TSLA @elonmusk  @Tesla @SpaceX  https://t.co/GJI747wsp6

15249) 0.0) Modest Proposal: Let's get #TeslaBodyCount trending. Just tweet to it with  https://t.co/FRinjPsmil or any report of yet another test pilot/passenger/bystander "sacrifice." $tslaQ $TSLA

15250) 0.0294) Per California law this is certain to be a hazardous materials waste cleanup site (cobalt, etc.).  Two orange cones doesn't cut it.  Where is @BELFORGroup or equivalent?  Whoever insures $TSLA vehicles should be on the hook for this.

15251) 0.0) “[Tesla] has 600,000 cars versus the next competitor that’s between 600 &amp; 1000 cars out there collecting data, we think that’s a key advantage.”—Oppenheimer Analyst Colin Rusch, $612 PT on $TSLA (1/13/20) 🚘🔋📶  https://t.co/IpWuPfDb4R

15252) 0.0) From the Long Beach $TSLA incident.  This shouldn't happen "going over a flower bed."  https://t.co/OsykNX22Iv

15253) 0.0) Tesla have reportedly signed the land purchase contract fro GF4 $TSLA   https://t.co/p4n2x9RUvF

15254) 0.0) Here's an animated chart of $TSLA U.S. Model 3 sales in 2018 &amp; 2019 vs. rival luxury sedans.  https://t.co/WMpvuTF2pD

15255) 0.0) 🚘 Tesla is considering dropping the price of its China-built Model 3 sedans by 20% or more in 2020, sources say.  More @business:  https://t.co/Gn8ko5DCw4 $TSLA  https://t.co/1KygjEX1gT

15256) 0.0) @TESLAcharts You can set your watch by it at this point.  $TSLA $TSLAQ

15257) 0.0) Until last month there used to be 1 Tesla parked on this Dutch street $tsla  https://t.co/lk8nO8goFI

15258) 0.0) Man dies after $TSLA crashes, bursts into flames in Pleasanton  https://t.co/MjeKTSXros via @Abc7news

15259) 0.0) Tesla Short Sellers (aka TSLAQ) Are Getting Electric ⚡️Burned As $TSLA Stock Keeps Soaring   https://t.co/cdbzHCrFZY

15260) 0.0) Tesla Shanghai Gigafactory is now expanding while keep ramping up the weekly production rate of the China-Made Model 3.  The latest vid update from Jason Yang  $TSLA #Tesla #China     https://t.co/ktm85Ue2q2

15261) 0.0) Left: Los Angeles Times (syndicating Bloomberg) Right: Our $TSLA Reality Check report  We've seen this movie before.  https://t.co/9PcZx00eje

15262) 0.0) #ExplainBABYCharts #FraudWatch day 353  I have some advice for #BABYcharts and PaulieDumDum aka Paul De Zan irl... blocking doesn’t do 💩 to protect you against someone finding who you are irl. Just saying, but y’all are #DumDums so it’s over your head.  $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/FfUcPjfx5S

15263) 0.0) We're going to 737 boyz. $tsla $tslaq  https://t.co/KKi8ccPl9q

15264) 0.0) Tesla Is Hiring A Mobile App Developer for its Feature-Rich Cybertruck  $TSLA #Tesla #CyberTruck    https://t.co/n08QXjMU3S

15265) 0.0) "the woman had just started the car and somehow lost control"  If only there was an agency responsible for protecting the public from this  kind of bullsht.  $tsla

15266) 0.0) Investing in 2020.  $TSLA  https://t.co/arbKNxJtxa

15267) 0.0) The back seat of a 911 is designed to carry hot chicks and, subsequently, kids.  Pro tip: if you try to put hot chicks on these #Tesla "3rd row seats", you won't have kids.  $TSLAQ $TSLA

15268) 0.0) *cough*  $TSLA $TSLAQ  https://t.co/ZBwfFuMYQ8

15269) 0.0) To make the numbers for last quarter, $TSLA delivered a lot cars to themselves.   The make the numbers this quarter, they are falsely charging ppl for vaporware.  What will they do for next quarter?

15270) 0.0) #Tesla has delivered 103 M3's in Norway in January so far vs 122 in whole October. Shows more inventory available at '19 end than at 19Q3 end. Why haven't these vehicles been delivered still in 2019?  $TSLA $TSLAQ

15271) 0.0) Tesla filed a new patent 'Solar roof tile with a uniform appearance'  $TSLA #Tesla #Solar #SolarGlassRoof   https://t.co/n6aywDzVCR

15272) 0.0) Update Norway : Tesla having registered 1 MS and 9 MX so far in January.  E-tron did 329.  $TSLA $TSLAQ  https://t.co/M5XvoivDNv

15273) 0.0) Cash is for display purposes only $tsla

15274) 0.0) Is this real? $tsla $tslaq

15275) 0.0) Pier 80 Today®...Cosmos sailed for the canal at 3:11 AM this morning and delayed-in-route Morning Conductor pulled up only 1:16 later, which might be the record interval we've seen to date. At the moment, we've got &lt;1500 cars en route to KR and ~3000 to the EU. $tslaQ $TSLA  https://t.co/lmdpn2I0Ec

15276) 0.0) Why are Tesla's checks reportedly bouncing again? $TSLA  https://t.co/63CW9pIpJ9

15277) 0.0) @BradMunchen If the third row is an “option”, and not available until 2021 (we all know what that means), how is the 2020/2021 Model Y not basically just a Model 3? $TSLA

15278) 0.0) Tesla took 8th place in the ranking of European employers Diversity 2020  $TSLA #Tesla    https://t.co/YUjKx4HEve

15279) 0.0) Here is the Morgan Stanley research note on $TSLA that Adam Jonas put out this week.  (Thread)  https://t.co/hWHsfEWial

15280) 0.0) Commented on $TSLA - Tesla's Decidedly Mediocre Margin.  https://t.co/g19j8pQ3DC

15281) 0.0) Soon to include $TSLA

15282) 0.0) Nottingham boss appeals to public after £100,000 Tesla goes up in flames.  $TSLA $TSLAQ  https://t.co/xSIJpHwGMC  https://t.co/dEMLHDSZsW

15283) -0.0258) This was after I'd put a good amount of money into $TSLA but before it hit rock bottom (when I added a lot more). My wife was giving me the 'eyes', sort of hinting that I was probably wrong about Tesla. I could feel my protective instincts kick in and I tried defending Elon... /2

15284) 0.0) Who's coming to the largest #Tesla event ever on the east coast? Here's the line-up, check it out:  https://t.co/1lPMIcxFlI $TSLA #TeslaModel3 @InsideEVs @MYEVcom @Model3Owners @anuarbekiman @MyTeslaAdventur @TesLatino @Teslatunity @pluginamerica @basecampmia @RealLifeStarman

15285) 0.0) Another whale will buy $TSLA but is currently sleeping     https://t.co/t4fg8QDK6F

15286) 0.0) @Erdayastronaut Do you mind if we wash your car?  $TSLA @Tesla  https://t.co/FRjztJnmCO

15287) 0.0) $TSLA #TSLA Massive shooting star on the weekly chart  https://t.co/QrZiuQCg3R

15288) 0.0) My advice? Get yourself a blue check-mark.  $TSLA $TSLAQ

15289) 0.0) Been preaching this for ages, however #Tesla will be bid for before this👇happens. $TSLA

15290) 0.0) 7/ "On the air, she insisted that she had had her foot on the brake the whole time. When her $48 million claim came to court in Akron, Ohio, in June 1988 the investigating police officer and witnesses at the scene testified  ... $TSLA $TSLAQ

15291) 0.0) 1/ if you're wondering where this "unintended acceleration" is coming from, and where it is going  this is nothing new. short sellers, trial lawyers - have used this a nr of times to bleed out OEMs. maybe most (in)famous case is the Audi 5000 $TSLA $TSLAQ   https://t.co/LxJRcaAOXG

15292) 0.0) Watching $TSLA tanking after hours.  https://t.co/awy7etvdcO

15293) 0.0) $TSLA Who would hold this long into a 3 day weekend with it most likely gaping down Tuesday?

15294) 0.0) $tsla q4 earnings call confirmed January 29th.  https://t.co/stpNuNwWAe

15295) 0.0) $TSLA Late Friday, NHTSA released a redacted version of the lengthy petition that said “Tesla vehicles experience unintended acceleration at rates far exceeding other cars on the roads” &amp; urged NHTSA “to recall all Model S, Model X &amp; Model 3 vehicles produced from 2013-present.”

15296) 0.0) This can be the start of a new game! Imagine you’re trying to complete your collection of Football Cards, but the goal this time is to collect the full 10 years of Spiegel tweets where he predicted #Tesla bankruptcy for each year. Go! $TSLA

15297) 0.0) $TSLA Q4 earnings scheduled for Wednesday, January 29 after market close. #Tesla   https://t.co/e3Ik8Kn8Ux

15298) 0.0) @ihors3 Do you think there will ever be a $TSLA short burn of the century?   https://t.co/GTBWyqwdBe

15299) 0.0) Tesla's new car registration in China 🇨🇳 is rise at a staggering rate  $TSLA #Tesla #China    https://t.co/68rxcH08Hc

15300) 0.0) $TSLA On Tuesday, if we open above 515.67 and dont fill that gap then it will be a bullish island reversal.

15301) 0.0) $TSLA James Anderson of Baillie Gifford:  https://t.co/OtdxXeEgiL

15302) 0.0) #Tesla will post its financial results for the fourth quarter and full year ended December 31, 2019 after market close on Wednesday, January 29, 2020 $TSLA

15303) 0.0) $TSLA Confirms earnings date is Wednesday, January 29.

15304) 0.0) What if, bear with me, Tesla hasn’t even started doing the real work required of even achieving Level 3 autonomous driving? $TSLA cc @FTC

15305) 0.0) #VolkswagenMustGo #TeslaKillerCemetery  Mark my words: @VWGroup will end up paying @Tesla billions of euros to meet EU emission reduction targets.  $TSLA #NotSellingAShareBefore5000

15306) 0.0) JOB OPENING:  $TSLAQ See below description  $TSLA

15307) 0.0) $TSLA lets burn those shorties.

15308) 0.034) First of all. Tesla does not have an unintended acceration problem. It’s a very fast car. Yes. But safest on the road. How much BS can be made up about one company.  It’s insane. $tsla #tesla

15309) 0.0) $TSLA community has its first shoe-eater:

15310) 0.0) Tesla China 🇨🇳 will soon upgrades to use Baidu Maps  $TSLA #Tesla #China #Baidu    https://t.co/GeVvQZ8ZMq

15311) 0.0) 1) A key question for Tesla’s margin as it grows sales volume going forward is what operating leverage can it achieve?  How much SG&amp;A and R&amp;D need to be added from 3Q19s annualised level of $3,720m to sustain double vehicle sales volume for example? $TSLA

15312) 0.0) .@SpaceX IFA here I come  $TSLA @elonmusk  https://t.co/2DfaiOdraF

15313) 0.0) BEFORE Model Y BEFORE Full Self-Driving BEFORE Cybertruck BEFORE Semi BEFORE Roadster BEFORE Designed In China BEFORE Short Burn of the Century  $TSLA #NotSellingAShareBefore5000

15314) 0.0) Old enough to remember when Superchargers were a moat. $tsla $tslaQ

15315) -0.0258) Tesla Model 3 crushing the US sales of Hybdrids. Hybrids or other wanna be bridge solutions like Hydrogen FCEVs have no future. Overall Plugin sales barring $TSLA dipped for the first time in 2019 from 2018. Anticipation of ModelY? #ElectricCars @jpr007 @ICannot_Enough @fly4dat  https://t.co/cR1u6u833f

15316) 0.0) Today we will receive the answer to the Ultimate Question!  It's been a long wait.  $TSLA @elonmusk  https://t.co/PCYHtMVprD

15317) 0.0) Hey, I thought EV sales in China were slowing? I guess they were all waiting for Teslas... $TSLA $TSLAQ  Watch this rise even more in the coming months...   https://t.co/HR0xDtwjKS

15318) 0.0) Found 30% of the tesla owners in Tokyo $tsla  https://t.co/g9cs2PBChY

15319) 0.0) Is that why you accumulate accounts receivable too? $tsla

15320) -0.0258) $tsla #Tesla Cypertruck is doomed 😂. MS wants your shares.

15321) 0.0) Morgan Stanley’s $TSLA production estimates out to 2030.  Evidently Adam Jonas thinks the Cybertruck will never ship.  https://t.co/GI34o7xRsv

15322) 0.0) Electric Burn: Those Who Bet Against Elon Musk And Tesla Are Paying A Big Price | NPR  $TSLA ⁦@elonmusk⁩ ⁦@davidein⁩ ⁦@S_Padival⁩ ⁦@BarkMSmeagol⁩ ⁦@GroggyTBear⁩ ⁦@PJHORNAK⁩   https://t.co/KN9U8TKBwQ

15323) 0.0) Sandy Munro Returns - Deconstructing the tooling costs of Cybertruck 🚚⚡️🎥  https://t.co/HpHzwDSwu6 $TSLA #Tesla #Cybertruck #EV  https://t.co/2nEn0oXSqD

15324) 0.0) Another Model Y, Why, Why, Why Why? #Tesla $TSLA  https://t.co/TSd5W8Qx9a

15325) 0.0) $TSLA Morgan Stanley’s Adam Jonas has raised his “bull case” price target to $650.

15326) 0.0) Cramer was right.  $TSLA is the ultimate ESG stock: Everybody's Salary's Gone.

15327) 0.0) The 3x $TSLA only ETF would be a hot product.

15328) 0.0) New Rims on the car ❤️ $TSLA  https://t.co/fhZC8mkCAO

15329) 0.0) Legacy companies are waking up.  #TeslaEffect #TeslaKillerCemetery  $TSLA #NotSellingAShareBefore5000

15330) 0.0) $TSLA - 1/Year of the Rat does not officially start til Jan 24th of this year.  @elonmusk, did you already shutdown your factory?   Where are all your cars?  https://t.co/TWEvRU6Lai

15331) 0.0) $tsla if it turns green today, I'll buy a Tesla.

15332) 0.0) Riddle me, Why $tsla bulls and bears forecasting lesser deliveries in Q1 2020 given Record breaking waiting times of 10 weeks for M3 in USA and 🇨🇳 made M3 cars getting delivered ?  @ValueAnalyst1 @Hein_The_Slayer @jjhanna2 @s17_scott @TroyTeslike @loky080659

15333) 0.0) "It's car company, Jonas - they make, and sell, cars."  $TSLA $TSLAQ

15334) 0.0) My updated projection. We should see a 5 sub wave move up to 610; that is my next projected wave (3) move. On the smaller degrees, I’m expecting a move to 530 supply, a PB for 2, then the squeeze continues IMO $TSLA  https://t.co/HwIEgkXMB1

15335) 0.0) EV is the way to go, Tesla knows it, VW knows it, every automaker that doesn’t change ICE-&gt;EV will go bankwupt $TSLA

15336) 0.0) $TSLA $TSLAQ Looking to the data, we note that based on preliminary  https://t.co/nARMxF8ufc Research, LLC figures, TSLA’s USA Model 3 sales were down -30.3% y/y in 4Q19, while USA Model S+X sales were down -29.6% y/y in 4Q19. Further, it appears TSLA's total USA sales were...

15337) 0.0) Step 1:  Purchase a Tesla   Step 2:  Purchase Tesla Powerwall   Step 3:  Rent or purchase Tesla Solar  Step 4:  Print cash 💵   $TSLA #Tesla #solarenergy  https://t.co/pOta0VK3IW

15338) 0.0) Wait a hot second. The $TSLAQ #DumDums and MSM media reporters with the Tesla beat swore to us the $35,000 Model 3 does not exist!!   $TSLA

15339) 0.0258) The below fact matters to long-term $TSLA investors a lot more than what bear analysts say to manipulate the stock:

15340) 0.0) Here is a claim, Diess will come to Tesla once the GF4 is completed. $tsla  https://t.co/qt2YkEWuwN

15341) 0.0) The hangover begins after the subsidy induced binge in the Netherlands ended last year.  $tsla Q1 Europe sales are likely to be down 40-50% qoq

15342) 0.0) I think @TSLAchooo has found $TSLA's new General Counsel! Only been at the company 2.5 years after spending ~1 year at Uber as Senior Counsel for Autonomous Vehicles and 10 years at Ford. $TSLAQ

15343) 0.0) Time to stop focussing on the share price, and start focussing on the company again. $TSLA will get to $1T regardless of short term trades. So, when will we see customer Model Y deliveries?! #Tesla

15344) 0.0) "I believe this Adam Jonas report is value-subtracted, suboptimal and ill-advised research" - Jim Cramer @jimcramer $tsla

15345) 0.0) $TSLA now down almost $22 bucks pre market

15346) 0.0) Ladies and gentlemen, let me present, the definition of Sunk Cost Fallacy!  $TSLA

15347) 0.0) $TSLA  We’re not going anywhere   https://t.co/EJdCzUTO6j

15348) 0.0) $TSLA covered my short at 503 from 535, why not?

15349) -0.0258) 3) I'm elated to read that Jonas attributes the recent run in $TSLA's share price to China, where he sees 30% gross margins in a "steady-state" scenario. Px cuts to the MIC M3 &amp; &gt;30 new EVs hitting the Chinese market this year mean that there is no state for $TSLA being "steady".  https://t.co/c5c4lyBccv

15350) -0.0018) 1) So Morgan Stanley's Adam Jonas--Wall St's most influential $TSLA analyst--capitulated today &amp; downgraded $TSLA to "Underweight".  The 33-page report has much to say about risks in China. I give Jonas a C+ in assessing these risks. He gets an A for his Model Y &amp; FSD critiques.  https://t.co/xS6pL42lhx

15351) 0.0222) “Elon Musk has become so much the public face of Tesla that many people are surprised to hear that he did not create the company. In reality, he became involved a year into Tesla’s founding, initially only as an investor.”  $tsla   https://t.co/EagZQTah9x

15352) 0.0) 👎🏻 $TSLA MORGSN STANLEY DOWNGRADE TO UNDERWEIGHT, “SUSTAINABILITY OF MOMENTUM”

15353) 0.0) $TSLA downgrade by Morgan Stanley to underweight.  Premarket -2.75%

15354) 0.0) Tesla plans to open a design &amp; research center in China to make “Chinese-style” vehicles, the company said in a recruitment notice on its official WeChat account 🏣🇨🇳  https://t.co/WNf2LTSRDz $TSLA #Tesla #EV

15355) 0.0258) $TSLA has published Q4 2019 Vehicle Safety Report:  https://t.co/nUjQh8hFmR  If we compare to Q4 2018, all the data points show decreasing crash rates, including the comparison data point from NHTSA. Note that the usage of Autopilot is broadening and the #Tesla cars are aging.

15356) 0.0) New $TSLA registrations nearly halve in California  https://t.co/7BYq5HkO6u

15357) 0.0) #Tesla's (NASDAQ: $TSLA) overall vehicle registrations during Q4 fell 46% to 13,584 vehicles in California, a bellwether market for the electric-car maker.  $TSLAQ   https://t.co/vbu2hdtCcV

15358) 0.0) Q4 2019 new CA registrations: Down 46.5% (13,584 units, 10,694 Model 3) Q4 2019 new NY registrations: Down 21.9% (1,014 units, 734 Model 3)  Yet $TSLA "deliveries" are up to 112,000. But where? 19,329 in NL+NO+SP still leaves 78K...  https://t.co/z7vALWIyKK

15359) 0.0) Tesla Model Y's VINs In NHTSA Database Hints At Potential Deliveries Right Around the Corner  $TSLA #Tesla #ModelY    https://t.co/EzcRy9NRU2

15360) 0.0) Not planning to trade $TSLA for another 10 years.

15361) 0.0) $tsla will never hit a new high in my lifetime!

15362) 0.0) Explains the Tesla $TSLA put buying today  https://t.co/DNZHqHWGMZ

15363) 0.0) $TSLA vs. the shorts is the most epic rivalry since Andre the Giant squared off against Hulk Hogan in the 1980s.  https://t.co/cS0IGisz9W

15364) 0.0) Exactly. #Tesla $TSLA

15365) 0.0) Tesla's ( $TSLA ) Historic Rise Could Accelerate Even More With Black Rock CEO Larry Fink Focus on Sustainability, intends to divest from fossil fuels to greener investments amid a “climate crisis.”   https://t.co/u81Z2QFV7V

15366) 0.0) Betcha a signed Dollar these expenses aren't accrued.  Does $TSLA book anything in the proper accounting period? 👇👇👇  https://t.co/XZZSOJOLe6

15367) 0.0) $tsla canceled payment?

15368) 0.0) In which $tsla tells a customer that their accidental/incidental one-click purchase of software that- checks notes- does NOT exist is equivalent to paying for a finished addition to a house.

15369) 0.0) @GerberKawasaki 10x in 5 years is close to 60% a year, i don't mind the pull back. i knew it was coming, but as long as i don't need the cash i will hold 100% of my position until $5000 and beyond $TSLA @ValueAnalyst1

15370) 0.0) They forgot one of the major rules.  Don’t short uptrends.  $TSLA

15371) 0.0) Tesla backstabbing employees at $500/share? #Tesla $tslaq $tsla  https://t.co/FzIbJ7zrl4

15372) 0.0) Which is why the short squeeze in Tesla is likely still in its infancy.  $TSLA

15373) 0.0)  https://t.co/0ay1nqHTcE order pages are down. What's going on?!? $tsla

15374) 0.0) @MotherCabriniNY $tsla parody and reality fully converged some time ago so it’s a distinction without a difference 🤷🏼‍♂️

15375) 0.0) How do they always know $TSLA puts

15376) 0.0) Rough day for $TSLA. Stock is all the way back down to prices not seen since [checks notes] Monday afternoon.

15377) 0.0) If you are a Tesla employee that wants your story told Anonymously, DM me. A lot of shady stuff has been going down lately. $TSLA #Tesla

15378) 0.0) "Volkswagen is on pace to be the largest manufacturer of electric cars by the end of this decade. It is currently in 10th place globally. The company says it expects to produce 22 million BEVs by 2028."  🤔 $TSLA $TSLAQ  https://t.co/oxSM5KMTRn

15379) 0.0) a) Yup b) Yup c) Yup d) Yup e) Yup  That's @elonmusk for you, and that's why $tsla customer service is such a nightmare for so many.

15380) 0.0) And here it begins almost $500,000 put trade Tesla Buyer 1725 $TSLA 1/17 $510 puts for $2.75

15381) 0.0) Yuh, $TSLA is set up for a major pullback. But only experienced short sellers should attempt shorting it  https://t.co/3ikH1d9U6s

15382) -0.0129) #TeslaRefundIssues $tsla $tslaq 🚨Cash-flow positive business with billions in cash: "Tesla finally mailed me my refund check and I deposited it, but my bank just informed me that Tesla had stopped payment on my check."🚨  https://t.co/VfuhalJkRL

15383) 0.0) I’m the owner of 0.000030514869063% of Tesla $TSLA

15384) 0.0) 6/ The Ruffo piece not only confirms in spades everything @orthereaboot &amp; I claimed, but goes further, and underlines two key reasons why $TSLA treats warranty as goodwill.

15385) 0.0) Tesla Gigafactory 4 Update: Construction Companies Discussing Road-Building Ahead of Ground-Breaking Ceremony  $TSLA #Tesla #GERMANY #GF4    https://t.co/J35FkyuGKw

15386) 0.0) It's actually 0.003 not 0.3 (30 basis point fee) so its $121k of stock borrow costs per day. We only have data since 2016, $TSLA shorts have paid $890 million in stock borrow fees in just over 3 years.

15387) 0.0) $TSLA - Elon does this because he can get away with it. The SEC and Auditor PwC approve of this. Is that right, Arthur Andersen? I mean, PwC? @PwC⁩ ⁦@PwCUS⁩  Tesla Is Allegedly Naming Warranty Service As Goodwill Repairs: Why? | InsideEVs Photos  https://t.co/OLsSLrTTtH

15388) 0.0) $TSLA announced a multi-year cobalt deal today.

15389) 0.0) Significant:  Two non-accounting benefits to $tsla of claiming goodwill instead of warranty referenced- of all places- in this quality @InsideEVs article:  1) avoids triggering Lemon Laws  2) avoids safety bulletins / recalls.  Tesla- Fraud as a service    https://t.co/nqUojest33

15390) 0.0) New Tesla In Need Of A Repair? Check If It Was Marked Goodwill $TSLA $TSLAQ - earlier today we had only photos now we have a full-written article H/T ⁦@sundowner998⁩  cc ⁦@BradMunchen⁩   https://t.co/Le4juRFzI2

15391) 0.0) @robinivski Hmmmm...Looks familiar. $TSLA  https://t.co/i5C5MDDXG3

15392) 0.0) @cfromhertz @BloodsportCap Guess the next gen batteries aren't coming anytime soon for $TSLA.   https://t.co/pjFREezVEK

15393) 0.0) $TSLA *TESLA IN TALKS TO BUY COBALT FROM GLENCORE FOR CHINA CAR PLANT

15394) 0.0) Has someone checked on Adam Jonas yet? $TSLA  https://t.co/OAkjQ7z1L6

15395) 0.0) If anyone breaks this stock, it's @AaronGreenspan $TSLA $TSLAQ

15396) 0.0) The hashtag #NotSellingAShareBefore5000 is working   $TSLA investors (esp those on Twitter) understand the giga-potential of Tesla over the very long term. Very few investors are budging at this price point  They know it's unwise to sell before Model Y, FSD and S&amp;P inclusion

15397) 0.0) Imagine the day when #Tesla Schedule involves the car rolling up outside your house at 8am having worked as a Taxi earning you money all night? $TSLA @elonmusk

15398) 0.0) $TSLA electric planes can’t come soon enough @Gfilche @matty_mogul

15399) 0.0) @elonmusk follows mizuno (who also manages one of the largest pension funds in the world.    Our whale?    $TSLA

15400) 0.0) @EcoHeliGuy @BarkMSmeagol @ValueAnalyst1 VA is launching the world's first shoe-eating betting platform, which will disrupt both the shoes industry and the betting industry, and possibly the food industry too.  I will sell my $TSLA to participate in the series A funding round.

15401) 0.0258) At some point in the future, $tsla and/or @elonmusk shall inevitably move in to electric plane business when battery density allows. It is simply a matter of time.

15402) 0.0) James Murdoch lashes out against Fox and his father's other news outlets for climate change coverage  $TSLA 💪  https://t.co/BQuBlwFYHW

15403) 0.0) Something spaceX and Tesla have in common. 🚀 $tsla  https://t.co/AyyaLzY1Om

15404) 0.0) Checking in on $TSLA before the flight  https://t.co/FAblU852zo

15405) 0.0) Catherine Wood said she sees Tesla $TSLA rise to $6,000 in five years   https://t.co/eaVP6RjZiy

15406) 0.0) I'll eat my shoe if the market cap of $TSLA is less than the sum of the market caps of the 12 legacy companies listed below on any day in 2022.

15407) 0.0) Over 3950 $TSLA Jan2021 $1015 calls traded today for $13.54 Tesla is $538 🍾 🥂

15408) 0.0) Me, when a bull sells $TSLA at $500:  https://t.co/0isDRZc5Er

15409) 0.0) Every major investment bank covering $TSLA knows exactly what is going on. The evidence tat has been discussed on Twitter for years is hardly a secret.  https://t.co/TPdF33vF4Y

15410) 0.0) Review this meme @elonmusk $tsla  https://t.co/sSrg9vlYDZ

15411) 0.0) New week, another new BEV started shipping.  Opel Corsa-e, 337km WLTP (420km city), 100kW AC, 50kWh battery, 8.1s 0-60 (but 2.8s 0-30). Starts at €30k in Germany.  $TSLA $TSLAQ  https://t.co/QIBT35wwf9

15412) 0.0) A conversation with @matty_mogul about @elonmusk’s electric VTOL jet idea and how it could disrupt the flying experience 🛸⚡️ $TSLA   https://t.co/9sFnwLsAlx

15413) 0.0) Video from altercation at $TSLA Nevada factory. Storey County, Nevada Sheriff's Office Bodycam Footage: Case No. 18-974 October 18, 2018 6:14 PM:  https://t.co/v4DQRoaGwd

15414) 0.0) Pier 80 Today®...more cars, probably closing in on 4000 now. The RoRo Glovis Cosmos is now at Benicia; the Massotto tracker has her at the pier today ahead of Morning Conductor, we shall see. Richmond is back on smallish, so we seem to be making both ROW and NA now. $tslaQ $TSLA  https://t.co/72kPBvgiTV

15415) 0.0) Coming on fox business news now to talk Tesla. Tune in. $tsla @elonmusk

15416) 0.0) #TechnicalTuesday w. #TheVoz | Focus this Week: @Tesla - Is $TSLA on a bender? [VIDEO]  https://t.co/AkdQ8uLwu8  https://t.co/7uIZV4dNuf

15417) 0.0) I seem to be profiting from the climate crisis. Every year, summers in Lithuania seem to get hotter, and my 'beach houses' near the coast get booked for longer periods at higher rates...  Crazy.  Any $TSLA bulls fancy a stay in the beautiful resort town of Nida?  https://t.co/wScTN14UZw

15418) 0.0) As @CathieDWood updates her @Tesla target price to $6K   @ValueAnalyst1 becomes a $TSLA Bear with a measly $5K   (AKA #NotSellingAShareBefore5000)     https://t.co/u8zYOyRC7h

15419) 0.0) Oppenheimer: Tesla Is An “Existential Threat” To Automakers.  $tsla  Tweets by @CNBC and @vincent13031925    https://t.co/GjlWmQ9G8u

15420) 0.0) Cathie Wood raising her 5-year price target for $TSLA from $4,000 to $6,000 (curr $538), which would put it over a $1 trillion market cap..  https://t.co/mNNJLn4o7B

15421) 0.0) @elonmusk Hey Elon - Why is replacing a touchscreen coded to Goodwill and not Warranty? $TSLA $TSLAQ  https://t.co/1KEXgaqJqJ

15422) 0.0) Is there a more appropriate word for degenerate gamblers buying calls for $TSLA at 540?

15423) 0.0) Jefferies raised target price for Tesla $TSLA to $600 and set 'Buy' rating   https://t.co/s902wZaeIg

15424) 0.0) $TSLA $6,000 price target  https://t.co/h9JkIcn9At

15425) 0.0) Are analysts being too conservative when it comes to Tesla $TSLA? (No this is not a drill):  https://t.co/NzPfkflOeR  https://t.co/5Av11A9x24

15426) 0.0) $TSLA copper theft video is here. Storey County, Nevada Sheriff's Office Bodycam Footage: Case No. 18-470 June 7, 2018 12:59 AM:  https://t.co/pGs5RPIqSe

15427) 0.0) Long some $TSLA $500 puts. #timestamp

15428) 0.0) Large institutions buying $tsla .  Order flow 🚀  @jjhanna2 @s17_scott @Hein_The_Slayer @s17_scott  https://t.co/5Wz2EYR0YR

15429) 0.0) @DouglasDDecker Douglas I will post EVERY Tesla Autopilot Full Self-Driving video that shows drivers illegally using a misbranded device off label, as instructed by Elon Musk on national television UNTIL @NHTSAgov forces a recall or @TheJusticeDept puts #SerialKillerCEO Musk behind bars. $TSLA

15430) 0.0) $TSLA - How many deliveries in China this week?  Since I keep hearing they are running at 3,000 a week, those cars need to be shipped or are piling up in the swamp.

15431) 0.0) I just doubled my $TSLA short.  https://t.co/X2cF3JQfmg

15432) 0.0) Omg! Tesla shorts right now 💀 $TSLA

15433) 0.0) Lets consider for a second an automotive company as a competitor to $tsla technology? Which name one wld consider? VW? Merc? Ford? Toyota? Honda? They are purely and solely ICE technology companies. They race in F1, Le mans, handbuild their engines. Software?They know nothing of.

15434) 0.0) A walk down memory lane. $tsla #tesla Eisman of `Big Short' Says He's Long GM,  Short Tesla  https://t.co/lqtpS55Ncu via @YouTube

15435) 0.0) How to double your investment in 3 months.  By Elon Musk. $TSLA  https://t.co/Pb5fpFXLSD

15436) 0.0) I'm waiting for the first $TSLA $1000 price target to short

15437) 0.0) Guess who just arrived in Shanghai? We are off to visit Tesla Shanghai Gigafactory 3 again.  #Tesla #TeslaChina #GF3 #Gigafactory #China #MIC #特斯拉 #中国 $TSLA  https://t.co/foM0vNjl9b

15438) 0.0) 6) Despite announcing that it has no business w/ $TSLA, Olympic's stock rose by 10% the next day. Sound familiar? Big punters in China, HK, &amp; Sing (who often share stock tips) didn't need to buy Olympic. They bought $TSLA. And when the story turns, they'll be out just as quickly.

15439) 0.0) 4) Why the China money theory? Look at how mainland Chinese (w/out access to HK stock accounts) traded the $TSLA China story: they bought Olympic Circuit Tech, a car electronics maker. Notice the similar price movements since $TSLA's China pump began late last year.  https://t.co/tbSqJpeWjy

15440) -0.0375) 1) Factors behind the $TSLA bubble:   a) Short-covering   b) Hedge-adjustments by convertible bondholders  c) HFs flipping  d) Foolhardy retail investing  Then the "China money" theory (FYI, Macau gambling revenues are 5x Las Vegas).  Chart: Shanghai Comp Index 2015 Peak  https://t.co/RHpG6uB1mh

15441) 0.0) $TSLA not done yet, gapping another 20 points in premarket. High of 546.75. 🚂🚂🚂🚂🚀🚀🚀🚀🚀

15442) 0.0) We're at the point where we must begin to ask ourselves what we'll do when $tsla hits $1000

15443) 0.0) Live look at $TSLA stock

15444) 0.0) People who own $TSLA  https://t.co/Lmsuin23Oa

15445) 0.0) Tesla analyst / price action has the feel of a company setting up for a capital raise.  Eyebrow raised, spider senses tingling.  $TSLA

15446) -0.0258) $TSLA BEEN shouting long since 400, warning not to short this. This is currently in an extended sub wave 5 Completion of this sub wave 5 to complete (3) will most likely fade to demand for (4) at 514/515. Watching to see how 550 reacts. 514/515 nice spot to re-long imo  https://t.co/Glpq6ZBEcr

15447) 0.0) $TSLA 546 -- the power of 'not qe'  https://t.co/RhZaA7AEjq

15448) 0.0) Rumor of a giant short initiated in $TSLA at the close on Friday who’s being blown out this morning.

15449) 0.0) What the heck is going on with $TSLA? This. This is what is going on.

15450) 0.0) In my 4 decades of investing I have never seen analysts become such slaves to a company.  The $TSLA analysts are all hiking their targets even if still bearish.  There has to be an offering imminent.

15451) 0.0) “We've grown fucking soft,” Musk replied. “I was just going to send out an e-mail. We're fucking soft.” 2014  https://t.co/tidRw2fa3J  The quality of fundamental research dropped as $TSLA volatility surged. We need to get back to discussing the fundamentals. We can't get soft now.

15452) 0.0) Breaking: Jefferies analyst Philippe Houchois raised the price target on #Tesla (NASDAQ: $TSLA) to $600.00 (from $400.00) while maintaining a Buy rating

15453) 0.0) TESLA PRICE TARGET RAISED TO $600 FROM $400 AT JEFFERIES  Here's a question for our followers: how much higher do you think $TSLA will go?  https://t.co/o35KWfLbr0

15454) 0.0) $TSLA PT RAISED TO $600 FROM $400 AT JEFFERIES

15455) 0.0) Jefferies raises PT to $600 from $400 on $TSLA - keeps Buy rated  Had raised from $300 to $400 Nov 11th, 2019

15456) 0.0) $600 by end of the week $tsla

15457) 0.0) $TSLA PT RAISED TO $600 FROM $400 AT JEFFERIES

15458) 0.0) Tesla Model Y CARB certification published, hinting at stellar range &amp; imminent delivery 🚙🔋🔌  https://t.co/W8pxUymG74 $TSLA #Tesla #ModelY #EV  https://t.co/PrETbVhxmh

15459) 0.0) “The longer the base, the bigger the breakout” @CathieDWood 2019, discussing the 5 year range bound price action of $TSLA.

15460) 0.0) BREAKING: The entire $TSLA rally is caused by insider trading by @thirdrowtesla unpaid interns!

15461) 0.0) @thirdrowtesla First time I ever made &gt;$100K in a single day mostly due to $TSLA  https://t.co/Qkh5ATTdx9

15462) 0.0) Tesla Model Y CARB Certification Hints At Potential Delivery Date and Range  $TSLA #Tesla #ModelY   https://t.co/BGLFvTJy4a

15463) 0.0) Is he talking about himself? $tslaq $tsla  https://t.co/MxVLXAc6mS

15464) 0.0) Another car I'd buy before a $TSLA. Rarely are there issues with Mazda vehicles.

15465) -0.0258) Bummer Toni. The cars are winter tested in Palo Alto, something like this could never have been predicted.  $TSLA

15466) 0.0) $TSLA ... oh there it is!  https://t.co/h2Fnu5I1TZ

15467) 0.0) Why is the market only now suddenly repricing $TSLA?  Hindsight is 2020.

15468) 0.0) $TSLA 🤦‍♂️ When the parabola on this stock ends the other side will be epic. Don’t try to front run a parabola

15469) 0.0) Is $TSLA being added to Coinbase?

15470) 0.0) $TSLA now $532 in AH.

15471) 0.0) Watch last 90 seconds of this video, @CathieDWood predicts this breakout  https://t.co/sQ16rB2itX $tsla

15472) 0.0) China EV sales declined 27.4% YoY in December just as $TSLA is adding capacity into an already oversupplied market.

15473) 0.0) Gene always says thing just right. Tesla shareholders should take a read. $TSLA

15474) 0.0) $TSLA shorts burning $52m/hr, $868k/min, $14.5k/sec today  https://t.co/evPCnPyS50

15475) 0.0) $400's we hardly knew ye. $TSLA

15476) 0.0) Percentage of $TSLA bulls that understand this Tweet:  Guessing less than 10%

15477) 0.0) Little sooner than I thought.  #happens. $tsla.

15478) 0.0) How far ahead is @Tesla from its competitors and can it keep this up? The biggest Tesla bull gives his take on @elonmusk's soaring company.  $TSLA  https://t.co/1vWL4cv9sQ

15479) 0.0) $tsla Folks what just happened, I was on a 10 hour flight !!!!!

15480) 0.0) $TSLA I'm not a short seller, but I do hedge my long portfolio with shorts. I took a tiny (tiny) short on Tesla for a short term swing trade. Just had to 🤷‍♂️

15481) 0.0) Tesla price is going to get to the moon before the SpaceX rockets do. $TSLA

15482) 0.0) Get theses 👏 shitboxes off 👏 the road 👏 $TSLA $TSLAQ  https://t.co/lqIjggmp2k

15483) 0.0) I bet even Jonas never thought $TSLA would eventually be both fundamentally AND strategically overvalued...

15484) 0.0) $420 was 21 days ago Where will $TSLA be in 21 days?  🚀🚀🚀🚀🚀🚀🚀🚀🚀  https://t.co/WsdlnrBIfX

15485) 0.0) $TSLA Epic short squeeze

15486) 0.0) Memo from the Chairman of $TSLAQ All of my contras are bullish. Every. Single. One. $TSLA is at $518

15487) -0.0387) Was tweeting about $tsla all year... u didn’t need to knife catch to make money but its cool when u nail it     🔪 🚗 🔥  https://t.co/wYChU1eNP5

15488) 0.0) Of the approximately 30 $tsla Solar Roof installations that I have tracked (excluding Elon’s guest house), the average Zillow estimate is $1.35 million. More than 2.5x median CA... Roof for the People.

15489) 0.0) ICYMI: Analyst @TashaARK joined @jchatterleyCNN this morning to discuss $TSLA, autonomous driving, 3D printing, ARK’s Big Ideas and more! Watch ⬇️   https://t.co/Rgdy2Sk5O4

15490) 0.0) Einhorn and his $TSLA short position  https://t.co/JFGXKKQA5R

15491) 0.0) I hurried this Forbes column to print in the midst of $TSLA's extraordinary stock price run, but I have been working these numbers for weeks.  My model shows that Tesla sold fewer cars in the U.S. in 4Q2019 than in 4Q2018.  There i… https://t.co/RzRNBlXB2C  https://t.co/HkeJKaFzJC

15492) 0.0) Why aren't they doing a massive cash raise at these prices?  $TSLA

15493) 0.0) My shorts have a 500 thread count..  Looking to upgrade to 600 tho.  $TSLA

15494) 0.0) There are two types of people in this world:  1. Those who understand the enormous potential in @Tesla / $TSLA  2. Those who don't...  https://t.co/vZLrU7B3au

15495) 0.0) V3 $tsla Solar Roof installation underway 12/17/19.   Just waiting on inverter and powerwall 1/11/20...   8 hours, 25 days ... and counting  https://t.co/PhXBWg5KkV

15496) 0.0) Tomorrow belongs to me. $tslaQ $TSLA  https://t.co/NtU4eyNciu

15497) 0.0) China-Made Model 3 Drives Explosive Traffic To All TESLA Stores in China 🇨🇳   $TSLA #Tesla #China #MIC #Model3    https://t.co/NThv8dxedL

15498) 0.0) We’re coming for you @VWGroup $TSLA  https://t.co/40RqfAxBXO

15499) 0.0) Is something going on with $TSLA?

15500) 0.0) $TSLA surges above $500, leaving analyst targets in the dust  https://t.co/cm02slCPK7

15501) 0.0) Since when are you a $TSLA shareholder?

15502) 0.0) Tesla Stock $TSLA Breaks $500 Mark for the First Time Ever   https://t.co/GSGten12rQ

15503) 0.0) I'm old enough to remember $tsla pushing $420

15504) 0.0) $TSLAQ hasn't awakened, yet. It will.  $TSLA #NotSellingAShareBefore5000

15505) 0.0) @G2Tohaj at this rate $TSLA could qual for T1 prac

15506) 0.0) via BagholderQuotes: Did we do this right?  $TSLA(s) $tsla  https://t.co/Uz7JeUqJ6Z

15507) 0.0) Did we do this right?  $TSLA(s)  https://t.co/zQCNRXcByl

15508) 0.0) My small amount of $TSLA stock has doubled lel  https://t.co/v8JJxXVTFF

15509) 0.0) $TSLA is about to pull a Volkswagen   2008: "Short sellers make VW the world's priciest firm"  https://t.co/nX0Deq5HhF  https://t.co/bZB3Tw3Ji5

15510) 0.0) $TSLA Numbers Need to Go Higher - Cramer

15511) 0.0) Only 4 lines on my $TSLA chart... price coming into one of them after going parabolic.   Caution advised.  https://t.co/R8xwgxad3d

15512) 0.0) Exactly. This.  $TSLA #NotSellingAShareBefore5000

15513) 0.0) $TSLA This is possible:

15514) 0.0) Tesla numbers will go up because of China subsidy extension. Analysts need to raise numbers.. $TSLA

15515) 0.0) There are so many $TSLA bulls waiting on the sidelines that any potential dips will likely get picked rather quickly.   https://t.co/2KvFqxMZ2T

15516) 0.0) The real reason $TSLA passed $500

15517) 0.0) $TSLA is up nearly 200% in the past six months.  https://t.co/tMr99owfdt

15518) 0.0) $TSLA trading at same level as my retirement plan.. 509k ...

15519) 0.0) Still not a $TSLAQ short squeeze...  $TSLA #NotSellingAShareBefore5000  https://t.co/YmIS9n9FI9

15520) 0.0) Is it already time for my daily $TSLA brag? Check my bio

15521) 0.0) $TSLA to $1T

15522) 0.0) Buffett to buy $tsla at $737/share

15523) -0.0258) The buying pressure in Tesla is unreal. Somebody wants this thing at any price. Maybe somebody wants the price to be at a certain level, and quickly, for some particular reason too. $TSLA $TSLAQ

15524) 0.0) December 31st 2024 @ValueAnalyst1 account is deleted   January 1st 2025,  a new account called @NotValueAnalyst is found  🤔  $TSLA

15525) 0.0) I’ll buy more $TSLA after the Q1 dip.

15526) 0.0) Onward to retirement 💰🌱⚡🥂 $tsla #MondayMotivation  https://t.co/AIN4qqVXtZ

15527) 0.0258) fed repos allowed hedge funds to re-leverage risk -- that risk they took on was $tsla - so basically fed gave free money to hedge funds to buy stocks that don't make money  https://t.co/8h13elSD98

15528) 0.0) Entered the market with one goal. All I can say is: “Roadster Secured!” $tsla  https://t.co/IqVUgexsZC

15529) 0.0) @Model3Owners Gonna be a wild ride today! $TSLA

15530) 0.0) Check out Tesla surging to kick off the week after Oppenheimer raised its price target on the stock from $385 to $612. $TSLA  https://t.co/eieL5nkQS7

15531) 0.0) Oppenheimer raises target price for Tesla to $612📈💵  "We believe Tesla's powertrain technology, power/data architecture, and operating system are tracking ~ three years ahead of competition," said Colin Rusch.  $TSLA #tslaq #Tesla    https://t.co/TCrTdfpvl1

15532) 0.0258) Benevolent Elon was only looking out for $TSLA bears when he said shorting should be illegal.  https://t.co/VHMdECjCtp

15533) 0.0) $TSLA stock jumps up over $500  https://t.co/q6Ospv707b

15534) 0.0) Jim Cramer:  "Elon Musk is a statesman."  $TSLA

15535) 0.0) Chart of the Day: $TSLA trades over $500 for first time.  https://t.co/g6BQE9Qg2v

15536) 0.0) This 👇 Peak...think Global Crossing for this Cycle. Imho $TSLA 🤦‍♂️

15537) 0.0) Jimbo saw that $1b q4 earnings leek $tsla $tslaq

15538) 0.0) This was $tsla from my 2020 report my target $520. But that’s probably VERY conservative.  Here’s today chart for @RedlerAllAccess  https://t.co/e11ZeRTJew

15539) 0.0) "I believe there will be a $700 PT soon; the bears don't know what to do; the competition don't know what to do" - Jim Cramer $tsla @jimcramer

15540) 0.0) Jim Cramer:  " $TSLA is an earnings story."

15541) 0.0) I think today is the day $TSLA breaks through $500 mark  @thirdrowtesla @ValueAnalyst1 @ray4tesla @JayinShanghai @jpr007 @1stPrincipleInv  https://t.co/JRchIEWzqZ

15542) 0.0) 🔔Coming Up🔔 Analyst @TashaARK joins @jchatterleyCNN during the 9 a.m. ET hour on @cnni to discuss $TSLA, autonomous driving and ARK's #BigIdeas2020. Tune in!   🖥️:  https://t.co/pDWDAA2pb7  https://t.co/5xaAMPSj1j

15543) 0.0) Another firm has hiked their $TSLA target.  This one to $612    https://t.co/va7jK4yUvR

15544) 0.0) Oppenheimer Maintains Outperform on Tesla $TSLA , Raises Price Target to $612

15545) 0.0) Tesla currently offers only 3 models and outsells most luxury brands in the U.S.  Now imagine once $TSLA starts selling a crossover SUV (Model Y), a pickup (Cybertruck), a world-beating sports car (Roadster 2.0), &amp; a commercial truck (Tesla Semi).   https://t.co/mKMaYpATHA

15546) 0.0) Oppenheimer raises $TSLA target price to $612 from $385

15547) 0.0) $TSLA PT raised to $612 from $385 at Oppenheimer - keeps Outperform rating

15548) 0.0) Oppenheimer Raises The PT On Tesla To $612 From $385 $TSLA

15549) 0.0) $TSLA PT RAISED TO STREET HIGH $612 FROM $385 AT OPPENHEIMER

15550) 0.0) $TSLA Will break $500 this week, or I'll delete my account. That is all. Many countries will follow China's lead or be left behind.   https://t.co/wI3y1pD6W4

15551) 0.0) 2020. The Year of $TSLA Qualifying for Inclusion in the S&amp;P 500

15552) 0.0) And in the meantime the official $TSLA twitter account unfollowed most of those present. $TSLAQ

15553) 0.0) $TSLA has the tightest customer/company relationship &amp; feedback loop I have ever seen in a company, ever 💪  @thirdrowtesla @ValueAnalyst1 @jpr007 @gwestr @28delayslater @tesla_raj @ray4tesla @vincent13031925  https://t.co/yr9pQPPLoF

15554) 0.0) 352 days until 1,000,000 robotaxis  $TSLAQ $TSLA

15555) -0.0258) Oh, now I understand that huge run up in the $TSLA stock price to end 2019.  (Excerpt from Andrew Yang’s book, titled “I have no idea what I’m talking about but I try hard and want to help.”)  https://t.co/cr3TUGNFYq

15556) 0.0258) Bob might be wrong ... then try to save face years later.   $TSLA  https://t.co/UOnC5onT6a

15557) 0.0) Time to buy more $TSLA (*not investment advice*) 🤑🤑🤑

15558) 0.0) I mean it might be a little premature to make that call   $TSLA  https://t.co/ge2vFtmA4a

15559) 0.0) $TSLA - Something Needs To Be Done About Tesla Autopilot | CarBuzz  https://t.co/0eLrPXApNj

15560) 0.0) #TeslaSuperchargerIssues $tsla $tslaq "Supercharging is unbearable."  "Plugged in at 14% at 1:10pm, need to get to 100% to balance battery and I’m still here at 3:10pm. Really?!?!?!"  https://t.co/EVqUgDWqyW

15561) 0.0) #Model3 sales 2019 in europe 🇪🇺  🇳🇱 ~30.000 🇳🇴 ~ 15.500 🇬🇧 ~ 11.000 🇩🇪 ~ 9.000 🇫🇷 ~ 6.500 🇨🇭 ~ 5.000 🇸🇪 ~ 4.000 🇧🇪 ~ 3.000 🇩🇰 ~ 2.500 🇦🇹 ~ 2.400 🇮🇹 ~ 2.000 🇪🇸 ~ 1.900 🇵🇹 ~ 1.900 Others ~2.500 ————————- Total 🇪🇺: 97.000  #tesla $tsla   https://t.co/DxSxrh0lta  @TeslaPodcast  https://t.co/MUN6CGASvG

15562) 0.0) What's the next #tesla related event that will break the internet?? $tsla  #think #easyguess

15563) 0.0) The average estimate of 32 sell-side analysts for 2020 revenue is $30B.  $TSLA #NotSellingAShareBefore5000  https://t.co/FE6di7OuPB

15564) 0.0) Thoughts on the $TSLA Reality Check from the parallel universe of LinkedIn...  https://t.co/xwDfoDY2K8  https://t.co/qKJ2QPyIVa

15565) 0.0) 12-trailing month US unit sales of selected modsize luxury sedan models @Tesla @elonmusk @ICannot_Enough $TSLA  https://t.co/IhuLyNxeM6

15566) 0.0) Click link for animated chart showing U.S. sales of the $TSLA Model 3 vs. its nearest in-class competitors since 2018.  I used 12-trailing month totals to smooth out seasonality. 📈   https://t.co/GU9eCmlUpd

15567) 0.0) $tsla $4000 would put it at $750 billion market cap. I’d settle with $1000 first.     https://t.co/nsnMYatkyf

15568) 0.0) EV rental company UFODrive use Tesla cars to provide quality services  $TSLA #Tesla    https://t.co/ci1P7whXiW

15569) 0.0) They might even change the street name to Tesla $tsla

15570) 0.0) "Israel Grounds Tesla’s Autopilot Feature  Israel’s Ministry of Transport ordered the electric car company to inform customers in Israel that they are not allowed to use the vehicles’ autonomous capabilities."  $TSLA $TSLAQ  https://t.co/L7NYlEKZuk

15571) 0.0) Wasn't #Tesla just about to enter Israel as a new market? 🤔  $TSLA $TSLAQ

15572) 0.0) Man, he was right.. $tsla  pic by @ValaAfshar  https://t.co/jMyLZxukR0

15573) 0.0) Two Teslas being chased by new EV competitor.   #Tesla $TSLA     https://t.co/1IjSVqO8Mk

15574) 0.0) Let’s see some more China-Made M3 vids/pics. There were, what, 1,000 or so delivered.. so let’s see more of that action!  #tesla #model3 #MICtesla $TSLA

15575) 0.0) just went on the Tesla website to clown on @DeanSheikh1 in a minute  Model 3 order times are wayyyyyyyyyyyyyyy out there  LR - 4-7 weeks SR+ - 7-10 weeks Performance - 8-11 weeks  Order now for delivery by end of quarter...  wut?   $tsla $tslaq

15576) 0.0) Tesla’s Upcoming Voice Features Is A Step Closer To Real-Life KITT From ‘Knight Rider’ @elonmusk   $TSLA #Tesla    https://t.co/nvFpTTMbLZ

15577) 0.0) @elonmusk Do they talk about the $1B in Accounts Receivable balance that $TSLA has had? Even you won’t talk about that.  https://t.co/8cMvFPKzCM

15578) 0.0) Observation from a relative old timer: the event that really marks the pop of the 2000 tech bubble was a withdrawn term sheet. $tslaQ $TSLA

15579) 0.0) Postcard from the Real World. $tslaQ $TSLA &gt;series gallery  https://t.co/2SuIMxSeHf  https://t.co/0qFeW7WQBa

15580) 0.0) Tesla is looking for employees for a German factory 🇩🇪  $TSLA #Tesla #GF4 #Gigafactory4   https://t.co/qca3KA1OSD

15581) 0.0) OMG the world of @Tesla  $tsla $tslaq  https://t.co/jGPnzcUqxR

15582) 0.0) I'll eat my shoe if @Tesla delivers fewer than 100,000 units in Q1'20. $TSLA #NotSellingAShareBefore5000

15583) 0.0) Tesla in its natural habitat:  Getting loaded on the back end of a tow truck on the way to the collision repair shop. $TSLA   #TeslaAccident #TeslaCrash  #TheSociopathicBusinessModel #FraudFormula  https://t.co/0HX0gDShQb

15584) 0.0) There will never be an "Android" to Tesla  $TSLA #NotSellingAShareBefore5000  https://t.co/lGZEB1g2or

15585) 0.0) Every time someone with expertise in a particular area addresses $tsla products or claims, it's revelatory. Latest example: the solar tile roof from someone who knows the roofing industry.

15586) 0.0) About that "gas savings" calculation in your advertised $tsla purchase price. Now, add the extra insurance premium...

15587) 0.0) James Clunie, the man betting against James Anderson and $TSLA.   https://t.co/1xdiFXBlqU

15588) 0.0) The $TSLA Reality Check report has 314 footnotes, almost all hyperlinked so that facts can be independently verified. And there's far more that could have been included.  https://t.co/xjpKhix5Ba

15589) 0.0) When will Tesla Shanghai Gigafactory 3 public tours open up? @tesla @teslacn @elonmusk   #Tesla #TeslaChina #GF3 #Gigafactory #特斯拉 #中国 $TSLA  https://t.co/HbthK1fKvD

15590) -0.0) Great business plan @Honda   "May you be the first car company to collapse and be forgotten forever" -Humanity  $TSLA @Tesla    https://t.co/ydWxZH4ukJ

15591) 0.0) $TSLA left car buyer out in the cold  https://t.co/V3PbUvrf8a via @Sfchronicle

15592) 0.0) This is a very important to remember when speaking about Demand for $tsla in General    "It is a growing demand and totally inelastic and agnostic. It grows by contact. The more they make and deliver, the more people have contact with the cars and the more demand is generated"

15593) 0.0) “Mercedes announced on Tuesday that its electric SUV, the EQC, would debut in 2020 with a range of over 200 miles and a price sticker that Speigel said would undercut Tesla's Model X” $TSLA  https://t.co/tlTlISjWJb

15594) 0.0) Is Tesla the new iPhone? 🚘🔋📲 “The new decade belongs to #Tesla, $4000 price target by Dec. 2030”—Trip Chowdhry, Global Equities Research  https://t.co/KVBDpGn1Fp $TSLA #EV  https://t.co/LVPD6WHvxv

15595) 0.0258) 4) From the first big shipment of the Model 3 in China last March, avg monthly sales are only 3.2K units at a $51K price tag. $TSLA lowered the price by 9% &amp; got a $3.6K "EV incentive", so now it's $43K. This prompted protests among customers who recently bought at higher prices.

15596) 0.0) Postcard from the Real World. $tslaQ $TSLA &gt;series gallery  https://t.co/2SuIMxSeHf  https://t.co/Tp8ds6DcvA

15597) 0.0) At least he's consistent. $tslaQ $TSLA #EquityCarrierFleet

15598) 0.0) When you decided to try to trade $tsla for the first time ever this week  https://t.co/CVcwbNcZeL

15599) 0.0) Shorting $TSLA (2019)  https://t.co/DSijL6hIeK

15600) 0.0) Tesla doing its Winter testing of the Model Y....in Palo Alto....  $TSLA

15601) 0.0) How does this figure into $tsla's "gas savings" calculation?

15602) 0.0) Elon Musk did this. $TSLA  https://t.co/zYpeW2SWYO

15603) 0.0) $TSLA down 2 days in a row since Helene's mail room ambush

15604) 0.0) $TSLA Q419 Earnings Estimates: 1) Revenue $7,325m (+$1,022m QoQ, +$100m YoY):  https://t.co/89zlbitgXA

15605) 0.0) @DKThomp Now do $TSLA

15606) 0.0) Tesla has applied for the speediest cleaning of the site for the Gigafactory 4 in Grünheide, Germany 🇩🇪   $TSLA #Tesla #GF4    https://t.co/lPf3c9Wzxw

15607) 0.0) Today, January 10, Tesla has applied for the speediest cleaning of the site for the planned plant in Grünheide 📄🇩🇪  $TSLA #Tesla #Gf4 #Gigafactory4   Photo by @gigafactory_4 @Gf4Tesla 🙏🏻  https://t.co/CQvJBiLClV

15608) 0.0) I don’t know if they’re awake, but I do know they are not enforcement. $tslaQ $TSLA #PredictableMalfeasance

15609) 0.0) Think of the costs associated with these ICE parts: engineering, material, manufacturing, quality control, assembly, testing, logistics, etc.  All cost-reducing measures have already been applied to this aging tech over the past 100 years  BEV tech is only in its infancy $TSLA

15610) 0.0) Fiat Chrysler can't sell their own car so now they're selling Teslas  $TSLA

15611) 0.0) $TSLAQ is a classic case of ego-induced denial.  cc: $TSLA  https://t.co/7bf59lZ7ex

15612) 0.05) Can $TSLA please go to 450s...I sold some calls last few and want to re-load.  I'm not patient  Thanks.

15613) 0.0) $TSLA what's it gonna be??!!  https://t.co/uRbObKu91x

15614) -0.0258) (2) Even crazier is that their 2022E revenue estimate is now $70B, which will be roughly 1.3MM units sold. Where would those 1.3MM cars be built? $TSLA

15615) 0.0) $TSLA Short squeeze     https://t.co/vqmgLmWy0t

15616) 0.0) Who wants to short $TSLA?

15617) 0.0) @JCOviedo6 Wowwww!!!!!  Tesla Sold us SC320!   “Manufactured by Panasonic” per the Tesla Spec Sheet   $TSLA $TSLAQ #TeslaSolar #TeslaisaFraud  https://t.co/sAFwtWgUqm

15618) 0.0) Added at $481 $TSLA

15619) 0.0) $TSLA Price Target Raised to $553.00/Share From $423.00 by Piper Sandler  #Tesla  https://t.co/L036xl9yQ8

15620) 0.0) Woah, $TSLA is a BEAST this morning in Pre-Markets  https://t.co/Avx3jPNx1i

15621) 0.0249) "What competition?" update, early Friday. E-Tron continues doing very well. EQC deliveries have started in small quantities.   Overall, the market is still sleepy, January trending lower than October (but higher than November and especially December).  $TSLA $TSLAQ  https://t.co/XTL4m29EfX

15622) 0.0) ICE contribution to The Mission!  $TSLA #Tesla   https://t.co/4ZKi66eQor

15623) 0.0) $TSLA 2016-2017 short squeeze vs the current one.  https://t.co/T2SFLGXUXO

15624) 0.0) Another $TSLA money printer gone rogue. Marlene Cannon v. Tesla:  https://t.co/ZalllRMHSM  https://t.co/DmiXH11VcP

15625) 0.0) @GretaYacht @Danstringer74 @LVCVA @boringcompany So the @boringcompany Vegas project is now going to use Model 3’s and an underground road? You can’t make this stuff up. $TSLA  https://t.co/enNgts6WnV

15626) 0.0) $TSLAQ will have a field day with this!  $TSLA #Tesla #TeslaService

15627) 0.0) Now do $TSLA and @NHTSAgov            In 1st Paragraph   Swap out 737 Max and Pilots                         for         AutoPilot and Drivers

15628) 0.0) Tweet of the Month. $tslaQ $TSLA

15629) 0.0) Hmmm...could the Head of $TSLA Insurance be looking to jump ship? He updated his profile. Did he get demoted? Last year he was the Head of Insurance. Now he's an Insurance Executive. May be nothing.  Pic 1 last year, Pic 2 this year  https://t.co/pbe4JhSzWj

15630) 0.0) $TSLA needs big gap up and go tomorrow and break $500 level.

15631) 0.0) Tesla is setting up Showroom in Tel Aviv’s Menachem Begin Road, Israel  $TSLA #Tesla    https://t.co/6FdwTGyQxM

15632) 0.0) Joint #TraderTakeaways  @Michael_Katz11 @RGahan94  Focusing on $TSLA    https://t.co/1XFxS7tMtJ  #stocks #markets #traders #finance #SevenPointsCapital #stocktraders  https://t.co/p1LvkcZKv9

15633) 0.0) Flashback to #rekthour plan b. Kaz identifies a fractal on $tsla that sends it to the moon. This is how it’s done. 🔮🔮🔮  https://t.co/bMW0gjbfse

15634) 0.0) Tesla is setting up Showroom in Tel Aviv’s Menachem Begin Road 🇮🇱  $TSLA #Tesla #Israel  https://t.co/mCWmUlvAB1

15635) 0.0) Waiting patiently for my next entry point to add more $TSLA

15636) 0.0) A small pullback of $TSLA is quit normal after an Epic run for the last few months.

15637) 0.0) SpaceX's first crewed mission could feature NASA Astronauts arriving in a Tesla !?  $TSLA #Tesla #SpaceX   https://t.co/CIMKkhWPSb

15638) -0.0258) @ihors3 Makes me wonder who is truly backing those short positions. Any professional institutional investor would have already closed their position.  That is unless, some large industry/industries who want $tsla to fail are backing the position.

15639) 0.0) A replay of #ToiletBoy’s history shorting $TSLA    🥴🤡 $TSLAQ 🤡🥴   https://t.co/KhajCr6CV5

15640) 0.0) Nailed $TSLA even though started red with premkt short. Was positioned to make trade of the year but it wasnt meant to be today.  Will review in today's #TraderTakeaway  https://t.co/MaQT7lKuuE

15641) 0.0) Why didn't they put a tent over this one? $tslaQ $TSLA

15642) 0.0) $TSLA  "Elon can keep his cowbell and fart Easter Eggs - I'll take the 360 degree audio setup."   https://t.co/ymrKVLnRZg

15643) 0.0258) 🚨King of selling low and buying high has spoken. When he’s winning, it’s skill, when he’s losing, everyone else is gambling against reality. Every “teslemming” is crushing mark’s returns and he still thinks he’s better than you. $tsla  https://t.co/AMjUIC7QsV

15644) 0.0) $TSLA has traded more than half its float in the last 3 days, and the day isn't over yet.

15645) 0.0) $TSLA retired CFO Ahuja finds a new home.  What exactly did he retire from at Tesla?

15646) 0.0258) Public Service Announcement: Only bears can prevent shortist fires. And these shorts.   $TSLA  https://t.co/0Knlf4tqil

15647) 0.0) looking forward to $TSLA breaking 500 today. 510 sounds about right

15648) 0.0) $TSLA Model Y is butch.  https://t.co/LtudC3tZam

15649) 0.0) THIS DAY IN $TSLAQ HISTORY:  3 years ago BMW US sales were 4x $TSLA worldwide sales. Last year less than 1x (BMW US 324k vehicles). I wonder what are the numbers 3 years from now.🤔  @eriz35 three years ago:  https://t.co/kgvUxLZHC0

15650) 0.0) I am old enough to remember when $TSLA went up $10-20+ each day.

15651) 0.0) i've been adjusting my monitor settings for 20 minutes and cannot seem to get them correct.  is $TSLA really red?

15652) 0.0) 9/ We quipped the time to sell $TSLA would come when @elonmusk is crowned as Time “Person of the Year.” That didn’t happen. But subscribers of @theinformation just declared Elon Musk the “Tech Founder of The Decade." Time to short?  https://t.co/1wmyNk7WtE

15653) 0.0) Considering the SUV preference of Chinese consumers, the Model Y steady-state sales in the Chinese market will exceed 400,000.   $TSLA #Tesla #modely #China #SUV

15654) 0.0) Greenest company on the plant they said! $TSLA $TSLAQ  https://t.co/lEVSmrvDd1

15655) 0.0) $TSLA is downgraded to sell again by Dan Levy. On Nov 14th, I tweeted the following👇👇👇. Since the last downgrade, TSLA has moved up from 350 to 490 while his 1-star rating on TipRank  went down to ZERO and his 10-yr average annual return from -9.2% to jaw-dropping -22.3%. 🤷‍♂️  https://t.co/Mnzm33NbWy

15656) 0.0) I should have listened to this guy and gone long $TSLA back in November.  👇🏻

15657) -0.0276) Here's why $TSLA is a prime short squeeze candidate: if it were in the S&amp;P 500 right now, Tesla would rank 11th out of 500 companies in terms of having the lowest float as a % of total shares out. And this is *prior* to an S&amp;P 500 listing. 1/2  https://t.co/bBfDICQyXR

15658) 0.0) I’d wait to buy this dip in $tsla. The 8day is all the way down at $458. Let it breathe

15659) 0.0) ⁦@elonmusk⁩ gets his mount on #america’s #automotive #mountrushmore per ⁦@barronsonline⁩ it’s catchy but I reckon #tesla $tsla is a lot more than a car company- this is just the beginning ⁦@GerberKawasaki⁩   https://t.co/aE1hlcXJkV

15660) 0.0) @ihors3 From this chart I get the idea that someone really big is buying a lot of $TSLA. I don't know if it is Aramco, China, Buffett, Apple or Google... But someone is and we will know soon who and why.

15661) 0.0) Two downgrades for $TSLA today so it’s only up $4  https://t.co/v7i5Rg9eC1

15662) 0.0) $TSLA CFRA  analyst Garrett Nelson Downgrades Tesla to Sell, Announces $400 Price Target

15663) 0.0) Told ya.  $TSLAQ short squeeze is yet to start.  $TSLA #NotSellingAShareBefore5000

15664) 0.0) Time to short more! 😉  $TSLA

15665) 0.0) In @Paul91701736 latest flyover, evidence of the Longest 8 Hours in human history; barely any $TSLA Solar Roof tiles atop their prototype house installs. 👇👇👇  https://t.co/r8hwu5MF2f

15666) 0.0) What a class act, Hubris comes before the fall $TSLA

15667) 0.0) Was there $TSLA news around 7 am Central time?  Did something else happen?  Did “they” decide to push up the price?  A big volume spike followed by $9 climb.  https://t.co/tC6Lsocwp2

15668) 0.0) People trying to blindly short $TSLA because their analysis is “it’s over extended” or the RSI is over heated. It’s simple, wait for price to tell you it’s a short. Preferably a bearish engulfing on daily, not a doji on the 5min. This psychology is what will accelerate the rally  https://t.co/92A9hz4R8k

15669) 0.0) The Gigafactory in 🇩🇪 will have profound impact on the auto industry. It is the heartland of ICE. $tsla will change the study choices of future engineering students, supplier companies investments, city plannings, regulations. The whole automotive eco-system will be reshaken

15670) 0.0) $TSLA  RORO ships that began Q4 - eight (8) by end of 1st month of the qtr.   Two (2) are expected in 1st month of Q1 2020 (first to Korea).  ROROs may be sub-10 for Q1.  Because Norway/Netherlands will be in sharp decline and China has cars made there...   https://t.co/JQmDsHoXGg

15671) 0.0) Don't be that guy.  $TSLA #NotSellingAShareBefore5000  https://t.co/nueO6nTWlC

15672) 0.0) $TSLA bonds closed at over $100.  #Followthebonds

15673) 0.0) This analysis of $TSLA is more accurate than almost all Wall st analysts  💪👍

15674) 0.0) $TSLA stock price bro returns  https://t.co/GtrzKEVR4M

15675) 0.0) "Plaid" drivetrain is now in production: $tsla  #TeslaServiceIssues and .. What PDI?

15676) 0.0) $TSLA  Signals:  1. highest volume day since Sept 2018. 2. Almost 2 to 1 Call buying and the highest level of Call activity in a long time. 3. Almost touched $500 major level. 4. Earning 3 weeks out.  5. Market closed at all ...  https://t.co/d5h0QDNTPd

15677) 0.0) $TSLA will be my main focus tomorrow  big trade on short side coming.

15678) 0.0) 5,000+ unique IPs and counting have downloaded our $TSLA report.  https://t.co/vwtBtC5f2R

15679) 0.0) Tesla Japan registered 247 cars in Dec., bringing Q4 total to 588, 2019 total to 1,185.  As always, there are 2~3 non-Teslas included in the count per month.  Highest Tesla registrations per month remains Sept. 2019 at 290. $TSLA $TSLAQ  https://t.co/WnuaEfmOSO

15680) 0.0) Tesla's 2025 bonds are now trading above par for the first time. As a reminder these were sold in 2017 with a record-low coupon for their maturity and rating. $TSLA  https://t.co/EW0LL2qtgL

15681) 0.0) Twenty-three crashes involving #Autopilot  Probably nothing. $tsla  https://t.co/YBhHfUMhK8

15682) 0.0) @markbspiegel @AndrewYang Hahahahaha speaking of cash... how's your short position on $tsla going..... you nutjob.......

15683) 0.0) Everyone is talking about how Elon is the father, and I'm just sitting here thinking about why $tsla unfollowed Gali.

15684) 0.0) $TSLAQ turning into $TSLA longs  https://t.co/54f6VJO40I

15685) 0.0)  https://t.co/VTiqIVXhnj - My thoughts on $TSLA's recent stock surge. #Tesla #ripshortsellers  https://t.co/27KerJVIRZ

15686) 0.0) @_jeffreyr @thirdrowtesla It's not going to end at $5000.  $TSLA *starts* to make sense at $5000.

15687) 0.0) $TSLA coming into 2020  https://t.co/sBYyLLvCU0

15688) 0.0) $TSLA bull flag on hourly ..

15689) 0.0) Checking in on Adam Jonas $10-$500 price target guess $TSLA  https://t.co/UiSHX7fwCh

15690) 0.0258) I don’t understand the big fuss. Tesla’s financial statements are audited just like Crazy Eddie, Enron, and WorldCom. $TSLAQ $TSLA

15691) 0.0) Staring at Robinhood waiting for $TSLA to hit $500 so I can be the first to tweet a screenshot.   #dedication  https://t.co/ICVcJ0J8TC

15692) 0.0) Hmm has anyone done some research on $TSLA? Looking a little overvalued maybe

15693) 0.0) BREAKING: $TSLA announces deal in principal to acquire AOL-TIME WARNER

15694) 0.0) $TSLA incredible read by @spectre_trades today. 👇🏻👇🏻  https://t.co/d0lcvZfTeV

15695) 0.0) The short squeeze has started! $tsla $tslaq

15696) 0.0) At ~$530 levels $TSLA will become the 2nd largest auto company in the world

15697) 0.0) Anyone else use the 2nd screen to watch the $tsla stock?  https://t.co/sWy22o3EJv

15698) 0.0) $TSLA next week 700 calls @ 40 cents. Someone bought 5000 of them !

15699) 0.0) Anyone considering modelling a $TSLA production headwind in Q1 due to employees staring at the stock price all day?

15700) 0.0) Over 5000 $TSLA 1/17 $700 calls for 36 cents have traded today and they’re buying more now. That is not a misprint as Tesla is $497 right now

15701) -0.0258) Long term = 5 year minimum.   Pretend the stock market closed for 5 years. Then ask yourself if you'd still want to be holding onto that stock when the market opens back up.  That exercise makes $TSLA a no-brainer.  (old tweet, I know... still relevant)

15702) 0.0) Morgan Stanley new Target $5 - $4200.69. $tsla

15703) 0.0) Soon to be corrected to $300 ago? 🤔   $TSLA 🥴🤡 $TSLAQ 🤡🥴

15704) 0.0) $TSLA when it's up $29/share and you nail $3/share fade on your first short of the day.  https://t.co/2SI0Z5ZxG4

15705) 0.0) BREAKING:  https://t.co/WWJw6xXPA9 now supports $TSLA !! @elonmusk 💥  https://t.co/YABd9ZFhbc

15706) 0.0) $tsla i think this is going to retire me  https://t.co/vEEpsRHBqY

15707) 0.0) A message to $TSLA shorts.  https://t.co/zjFIn8kvpL

15708) 0.0) who woulda thought TrollElmer was far too bearish. $tsla $tslaq

15709) 0.0) $TSLA was at $177 on June 6 2019. About to hit $500.

15710) 0.0) Only 11.6x to to until $1T market cap   $tsla

15711) 0.0) It’s 11:32pm for me, I have 3 flights tomorrow, the first being a little seaplane in 5 hours... but how can I sleep with this going on?!?! $TSLA  https://t.co/ictwez5CWF

15712) 0.0) Elon should bust a move more often! 🕺🏽Headed to $500 baby! $tsla  https://t.co/Zo4xT7RfJa

15713) 0.0) $TSLA was at $413. When will people start listening to Norman?

15714) 0.0) $TSLA twitter right now.   #Tesla #shortburnofthecentury  https://t.co/Yek9qKlAUJ

15715) 0.0) So, how is everyone doing today? $tsla $493!!  @ValueAnalyst1

15716) 0.0) $TSLA Trading Playbook™  https://t.co/WT7LALQRRI

15717) 0.0) For those involved in $TSLA (on either side), what lessons have been learned up until now? I realize the story isn’t “over” by any stretch.

15718) 0.0) net short $TSLA for first time since i got long in the 200 area...

15719) 0.0) raising my pre-ER $tsla price target to $606.06 from $505.05

15720) 0.0) Dayum. $tsla! Blown away at how fast it has approached $500.

15721) 0.0) Should've joined $TSLA instead of $TSLAQ @BagholderQuotes

15722) 0.0) Makes total sense. 👍 Major revaluation of $TSLA right now.   ‼️Up 📈 up 📈 up 📈 you go‼️

15723) 0.0) Imagine not spending $1,000 to buy feb $600 $TSLA calls... $TSLAQ

15724) -0.0258) "Tesla's $1.8 billion  high-yield bond is trading at its full face value for the first time since the electric- vehicle maker issued the debt in 2017."  $TSLA $TSLAq  #FaceValueSecured  https://t.co/H3HvxIKAsB

15725) 0.0) I’ll take $479...479....I got $482....482....482....   $TSLA  https://t.co/ORzSXBVgZ2

15726) 0.0) #MarketWatch $TSLA continues record breaking streak in Wednesday trade

15727) 0.0) $TSLA on the move again...  https://t.co/N2UwRCWads

15728) 0.0) How many MIC M3 deliveries this quarter? $TSLA

15729) 0.0) Big Sonar trying to slow down $TSLA expansion.  https://t.co/HSq8NpBqVa

15730) 0.0124) @TESLAcharts @GrainSurgeon @FenceTesla @BloodsportCap They have recently erected another smaller tent in Fremont and are upgrading the paint facilities. Doesn't look like they're abandoning Fremont.  Seems like $TSLA is betting the company on the Y. If it's a hit, Fremont can stay busy producing for NA, if not, Fremont's in trouble.

15731) 0.0) Tesla is starting production of 3 new vehicles this year, bankwupt? $TSLA

15732) 0.0) 13% of 2019 new vehicles sales were BEV in the Netherlands $tsla

15733) 0.0) Hey @VWGroup we’re coming for you!! $TSLA

15734) 0.0) “Competition is coming” to buy Teslas.  $TSLA #NotSellingAShareBefore5000

15735) 0.0) The recent rise of $TSLA stock price is mostly due to

15736) 0.0) Why haven't the @CNBC producers told Carlos Ghosn he's stepping all over the Jim Cramer $TSLA pre-open stock pumping half-hour???

15737) 0.0) 🔔Coming Up🔔 Analyst @TashaARK joins @jchatterleyCNN during the 9 a.m. ET hour on @cnni to discuss $TSLA, autonomous driving and #CES2020. Tune in! #Tesla  🖥️:  https://t.co/cAaZCZ9B7s  https://t.co/KgUBfJa84g

15738) -0.0191) No matter where the $TSLA stock price goes, we'll always have this:  https://t.co/LGAbFQNr36

15739) 0.0) Tesla $TSLA market cap now higher than GM and Fiat-Chrysler combined  https://t.co/rwK0Znarak

15740) 0.0) tl;dr   - Little dilution - Leverage drops - Tesla holds the reins  $TSLA #NotSellingAShareBefore5000

15741) 0.0) $TSLA convert thread

15742) 0.0) Whomp, whomp. $TSLA $TSLAQ #TeslaSuspensionIssues #WhompyWheels  https://t.co/o0RNTVhnAa

15743) 0.0) My thoughts on the macro-environment impact on $TSLA right now and in the coming days:   https://t.co/g0G2y4asho  https://t.co/dvIKXH8UOX

15744) 0.0) This is the end of the story. They are registering cars to themselves. What more is there to say!? $TSLA $TSLAQ

15745) 0.0) What finally changed Cramers mind is  exactly what did it for everyone else, he experienced the car. #tesla $tsla  https://t.co/MWJ0mDRWPC

15746) 0.0) Jimmy Chill about @elonmusk at the end. “The man is a titan. “ $tsla #tesla @jimcramer

15747) 0.0) Argus Research raises Tesla's target price to $556 $TSLA    https://t.co/7cH6a63358

15748) 0.0) And tunnels filled with $TSLA EV's are the future. 👇

15749) 0.0) Harpreet has had it. $tslaQ $TSLA

15750) 0.0) Exactly 7 months ago I bought $TSLA for the first time. Since then it has returned 140%!  Wild.   Way to go @tesla team and @elonmusk!   https://t.co/qAjizdHrzI

15751) -0.0258) Whatever brand of EV caused the Norway fire, $tsla have spontaneously combusted at multiples of any other EV &amp; after an onslaught of events, the NHTSA is actively investigating these incidents &amp; has issues related subpoenas.

15752) 0.0) @FTC A consistent pattern: false claims move $TSLA stock.  https://t.co/0RRZoPRIww

15753) 0.0) Tesla price target raised to $556 from $396 by Argus Research 📊⚡️🎯 “Among all analysts listed on FactSet, a small firm named Elazar Advisors has highest price target for #Tesla at $734 per share.”  https://t.co/ozq29g87B2 $TSLA

15754) 0.0) @CNBC It's still unknown who $TSLA's General Counsel actually is, weeks after the last one departed. There are few other $81 billion+ companies that don't have a General Counsel.  https://t.co/YBvCBznSem

15755) 0.0) $tsla ceo dancing going viral. That’s equal to how much $$$ in ad dollars?  https://t.co/YoENgx3rdH

15756) 0.0) I dont know how the proof of Tesla registering cars to themselves in Norway isn't game-set-match on this whole thing?! This is the biggest news ever! $TSLA $TSLAQ

15757) 0.0) Time to log off $TSLA $TSLAQ @DRUDGE  https://t.co/bHTH4giEgM

15758) 0.0129) This purports to be footage of the first vehicles to catch fire.  It looks to me like there is a charging cable engulfed in flame, but I'm  not an expert.  One you guys have a go at it.  $TSLA   https://t.co/tb3XDGriBh

15759) 0.0) "The man's a titan. He's the real deal. And the car is the real deal." @jimcramer on @elonmusk #Tesla $TSLA   https://t.co/4otcSCnpw1

15760) 0.0) What if @markbspiegel goes bankwupt prior $tsla?

15761) 0.0) Which is driving $TSLA more today: the realization that Tesla has learned how to rapidly deploy EV manufacturing capacity, or Musk's 40-second money dance?  https://t.co/UudBxhNbk9  https://t.co/QGAivirTOC

15762) 0.0) &lt;&lt;Only second thing I’ve ever shorted in 20 years. $468 and I’m already underwater.&gt;&gt; $TSLA CC: @BagholderQuotes

15763) 0.0) Tesla is Smoking hot again today!   $TSLA @Tesla  @elonmusk  https://t.co/LAusyPwWJY

15764) 0.0) $tsla rumor from China that the government is planning to pick up  a city to work with Tesla for road construction and policy for Tesla to do really autopilot test around summer time.and if the everything goes smooth, more cities will follow quickly.

15765) 0.0202) Wrong, it is not a car company. It is very conservatively valued tech company. $tsla

15766) 0.0) Jimmy Chill is on the team! #tesla $TSLA @jimcramer  https://t.co/4JPU8LWqj5

15767) 0.0) Doing the money dance! #tesla $TSLA #china

15768) 0.0) Even @jimcramer's a believer. Here's how Tesla could race beyond its Tuesday all-time high. $TSLA  https://t.co/N7IBceZMCd

15769) 0.0) Don’t make me update this again @timseymour   $TSLA 🥴🤡 $TSLAQ 🤡🥴  https://t.co/Zin4bjBGui

15770) 0.0) "I've been Musked™️" $TSLA(s)  https://t.co/2IvlkSDER6

15771) 0.0) Name one other company in Silicon Valley that has a fugitive in the accounting department. Go ahead. $TSLA  https://t.co/o9GVssfUky

15772) 0.0) Aaron over at @PlainSite just dropped 100 pages on $TSLA:  https://t.co/usd5b9RYqG

15773) 0.0) $TSLA sold 2 cars in the entirety of Spain, Netherlands and Norway yesterday. $TSLAQ must find more truffles!

15774) 0.0) I do wonder what @realDonaldTrump @POTUS thinks watching @Tesla CEO @ElonMusk  prostrating himself for subsidies in China??? 🤔 #StrippingForSubsidies $TSLA #Election2020  https://t.co/lF4DmZJtDS

15775) 0.0) I can’t click the mouse for you $TSLA

15776) 0.0) At least next time $tsla passes thru $420.69 it'll be the other way around

15777) 0.0258) We see $Tsla stock again reach record highs today. 👏 👏 👏  https://t.co/kViRuofsic

15778) 0.0) Storm in shortsville just started $TSLA  https://t.co/gIUyKWaegq

15779) 0.0) $tsla only go upsies  https://t.co/6pxvMHfP18

15780) 0.0) This makes me feel like dancing.  $TSLA  "The China auto market contracted for the first time in decades in 2018; expected to fall a further 8% in 2019 and 2% in 2020."  GM Warns On World's Largest Auto Market As Sales Drop Accelerates  https://t.co/0anODMQtD4 via @IBDinvestors

15781) 0.0) My $TSLA position is laid out here in this Twitter thread. Entry is in the red circle. GG.  https://t.co/76cXh2AfqA

15782) 0.0) 💯 Exactly! 👏👏 $TSLA $TSLAQ

15783) 0.0) What #Tesla will do over the next two years will be talked about for decades, and just as the auto industry catches its breath, the #cybertruck production ramps up. $TSLA  https://t.co/xUJSZvbWcW

15784) 0.0) Do we really think consumers in the EU are going to flock to buy Chinese manufactured Teslas? $TSLA $TSLAQ

15785) 0.0) $TSLA does it in an hour.  https://t.co/LmMHqqk0yx

15786) 0.0) When $TSLA perps @CryptoHayes ?

15787) 0.0) Me when I think about how I sold all my $TSLA at $243 to buy a house  https://t.co/0LnPjrItzi

15788) 0.0) Maybe people didn’t catch this. Tesla has one production line up making model3 in China.  They are putting up a seccond production line for modelY now. This increases potential capacity to 500k cars. This line will be up this year.  #tesla $tsla

15789) 0.0) This is the dance of someone about to make a few more billion.  #Tesla #TeslaChina #ModelY $tsla

15790) 0.0) Time to buy some puts on $TSLA

15791) 0.0) And another affirmation of Tesla’s LIDAR-less approach to autonomous driving.  $TSLA  https://t.co/5mNxIGidKy

15792) 0.0) .@munster_gene lays out the path for Tesla’s $TSLA market cap to hit $150B, nearly double its current level: "The right analogy here is what's happened with Apple and their China business."  https://t.co/v4tCZ6rIg7

15793) 0.0) 🤔 Should I buy a Tesla for my wife or buy more $TSLA stock?

15794) 0.0) I made more money on a single $TSLA trade last year than on all of my crypto trading activities combined.

15795) 0.0) $TSLA +1.92% pre market. New ATHs.

15796) 0.0) Paint peeling off a 2019 Model 3. Tesla claims "external force" and won't fix under warranty.  $TSLAQ $TSLA #TeslaPaintIssues #TeslaQualityIssues  https://t.co/cZuGpbcDUd

15797) 0.0) Reminder that Tesla, a US company, can’t sell directly in many US states. $TSLA #Tesla

15798) 0.0) Tweet of the day...so far  $TSLA  https://t.co/n6aMdA1TPj

15799) 0.0) Musk must have done a couple lines before showcasing the model Y in Shanghai here $TSLA

15800) 0.0) Is there a term for when you set a new all-time high in premarket? Some sort of animal? $TSLA  https://t.co/pZroxJEF5v

15801) 0.0) Nearly $460 in pre-markets!! $TSLA #Tesla  https://t.co/No3o45EQ94

15802) 0.0) "1000+ DAILY orders" $TSLA

15803) 0.0) Spotted at a Tesla store in China... $TSLA  https://t.co/iuKfNESDgO

15804) 0.0) Key Announcements @ElonMusk Made at the China-Made Tesla Model 3 Delivery Event  $TSLA #Tesla #China    https://t.co/YDRriplZl8

15805) 0.0) What a journey‼️  $TSLA at new ATH at €407‼️   Soon we’ll get to €420‼️  https://t.co/40cvnylzYe

15806) 0.0) $TSLA INC CEO ELON MUSK SAYS WILL MAKE FUTURE VEHICLE MODELS IN CHINA, IN ADDITION TO MODEL 3 AND MODEL Y

15807) 0.0) Live Updates: Tesla China's MIC Model 3 Delivery Event and MIC Model Y Announcement  $TSLA #Tesla #China #MIC #Model3 #ModelY    https://t.co/fVdnQtKhcw

15808) 0.0) Latest photos from @cyfoxcat at the Model Y Program Opening and China Made Model 3 Delivery Ceremony at Tesla Shanghai Gigafactory 3. Official 1 hour to go until the event. [Part 2]  #Tesla #TeslaChina #GF3 #Gigafactory #ModelY #MIC #特斯拉 #中国 $TSLA  https://t.co/v0UCLSYmXJ

15809) 0.0) Latest photos from @cyfoxcat at the Model Y Program Opening and China Made Model 3 Delivery Ceremony at Tesla Shanghai Gigafactory 3. Official 1 hour to go until the event.  #Tesla #TeslaChina #GF3 #Gigafactory #ModelY #MIC #特斯拉 #中国 $TSLA  https://t.co/3I48F4k9Kj

15810) 0.0) Tesla China-Made Model 3 Delivery Ceremony will start in less than 3 hours! An update pic from the Shanghai Gigafactory GF3 China 🇨🇳   $TSLA #Tesla #China #MIC #Model3  https://t.co/jsE4vJlSgF

15811) 0.0) .@BoringCompany’s 1st Las Vegas tunnel nears halfway point 🚇⚡️🎰 “Once expansion project is complete, the dual tunnel system will transport conventiongoers between 3 main halls of Las Vegas Convention Center in #Tesla model vehicles.”  https://t.co/wzWPta57zF $TSLA #EV @elonmusk

15812) 0.0) More videos to come from Tesla Shanghai Gigafactory 3, does anyone have a spare media pass for me?  #Tesa #TeslaChina #Gigafactory #GF3 #Model3 #ModelY #特斯拉 #中国 $TSLA  https://t.co/cHNZ1gHL22

15813) 0.0) $TSLA - Elon promised 1,000,000 Robotaxis this year.  He raised $2.3 Billion based on that.  FSD should be working this year that you just paid $10K for.  Or, this is a huge fraud and you just got scammed and will never see your money again.   $TSLAQ

15814) 0.0) Tesla CEO @elonmusk arrived Tesla Shanghai Gigafactory GF3 China for the China-Made Model 3 Delivery Ceremony today  $TSLA #Tesla #China #GF3  https://t.co/1BaSIPzhdC

15815) 0.0) $TSLA - Last week, the GF3 made 1,000 cars a week.   This week, it is already up to 3,000 a week.  So, next week, is it up to 9,000 a week?  You know, Wright Jr.’s Law?

15816) 0.0) About 100 China-Made Tesla Model 3s were sold in a morning from just 1 of the Shanghai local store, reported Chinese media.   $TSLA #Tesla #China #Model3    https://t.co/QgXjD2BohI

15817) 0.0) Elon Musk just arrived at Shanghai Gigafactory.  This time last year it was a mud pit.  Today, a year later, it has become a Tesla Gigafactory that can produce 3,000 Model 3s per week.  #Tesla #TeslaChina #ModelY #Model3 #GF3 #Gigafactory #特斯拉 #中国 $TSLA  https://t.co/efO7MxWSHK

15818) 0.0) Which is why they charge $7K for it and it doesn't even exist yet.  $TSLA

15819) 0.0) It’s SHOWTIME final preparations at Gigafactory 3 and @elonmusk has landed in Shanghai, China. Model Y Program Opening Ceremony and China Made Model 3 Delivery Ceremony Event is TODAY!  #Tesla #TeslaChina #ModelY #Model3 #MIC #ChinaMade #特斯拉 #中国 $TSLA  https://t.co/UHPx4819py

15820) 0.0) @TESLAcharts @RhinoVesting @ehuangsama @mydoghasagun @BloodsportCap I’m going with doesn’t apply to Tesla and is meant for other techs until I have more reason to believe to the contrary. Eh-sama, how did you come across this and why do you believe will impact $tsla beside the strict text? Couldn’t have blindsided them, could it have?

15821) 0.0) About 100 MIC Model 3 were sold in a morning from one of the Shanghai local store 🙌🏻👏🏻  @Tesla @elonmusk 👏🏻  $TSLA #Tesla #MICModel3 #China   https://t.co/nXKzQoeTCG

15822) 0.0) Another look inside #Gigafactory3 🏣🔋🎥 $TSLA #Tesla  https://t.co/1b2aN087Qa

15823) 0.0) Tesla sales grew 47× In the last 7 Years $TSLA  https://t.co/2hdUtJ6EcI

15824) 0.0) Tesla China 🇨🇳 Model Y Program to be Announced at Model 3 Delivery Event in Gigafactory 3   $TSLA #Tesla #China #MIC #ModelY   https://t.co/WQoYeYGSnw

15825) 0.0) EV range.  Story of 2 Polar opposites.  Tesla: Reveals range in miles, Reveals EPA range estimates, Underpromises &amp; Overdelivers  Everyone else: Reveals range in kms, Reveals WLTP range estimates, Overpromises &amp; Underdelivers (Assumes people will fall for larger numbers)  $TSLA

15826) 0.0) My Q4 $TSLA financial prediction:  Revenue: $7163M COGS: $5658M GM: $1504M (21%) OpEx: $960M NetInc: $384M  @ValueAnalyst1 @Insurmountabl1 @jpr007 @mortenlund89

15827) 0.0) $17k for a battery after 5 years.   TCO, they said.   Gas savings, they said.   $TSLA

15828) 0.0) There are things @Elonmusk can and should do with $TSLA at a market cap of $81B, but he won’t.

15829) 0.0) $TSLAQ short squeeze is yet to start.  $TSLA #NotSellingAShareBefore5000  https://t.co/zUeYgITcEI

15830) 0.0) Gives a whole new meaning to “Inside EVs“ doesn’t it? $tslaQ $TSLA

15831) 0.0) What does $TSLAQ have to say about $TSLA potentially getting billions of euros in cash from legacy automakers in 2020?

15832) 0.0) "Tesla will build several models at new European factory near Berlin starting with the M3 sedan and MY crossover, acc to a public notice published by the German state of Brandenburg.  ...prod will ramp up to 500k units/year, the notice said."  $TSLA $TSLAQ  https://t.co/EYs6w7tPlF

15833) 0.0) Delivery Ceremony for Made-in-China Tesla Model 3s in Shanghai Gigafactory 3 🇨🇳 will start in less than 12 hours!   $TSLA #Tesla #China #GF3 #Model3  https://t.co/4R6NF1gG0q

15834) 0.0) $TSLA new hod

15835) 0.0) Tesla CEO @elonmusk Plans to Attend a Delivery Ceremony for Made-in-China Tesla Model 3s in Shanghai Gigafactory 3 on Tuesday Jan 7th which is also the 1 year anniversary of the GF3 groundbreaking ceremony.  $TSLA #Tesla #China #GF3 #MIC #Model3  https://t.co/EHTOmI2RI2

15836) 0.0) Even the lone Trump supporter at my work bought a $TSLA Model 3 last month.

15837) 0.0) “Tesla will build several models at new #Gigafactory4 near Berlin starting with Model 3 &amp; Model Y according to a public notice by German state of Brandenburg. More models will be added later &amp; production will ramp up to 500,000 units a year,” 🏣🔋🇩🇪  https://t.co/K5W2coFDY3 $TSLA

15838) 0.0) What if you work at a car factory tho? $TSLA

15839) 0.0) When is the Battery &amp; Powertrain Day?  $TSLA #NotSellingAShareBefore5000

15840) 0.0) Notice the high sloping sides of the bed of this $TSLA pickup truck, obviously designed by someone who never owned a pickup truck. They block the driver's view out the back window, and they also prevent people from being able to reach over the side to help load/unload things.  https://t.co/M0QF9H26Qo

15841) 0.0) Elon Musk is flying to Shanghai, China to announce the Tesla Model Y Project and China Made Model 3 Delivery. His G650 is flying higher and faster than China Eastern Boeing 777 took off from LAX ahead him.  #Tesla #TeslaChina #GF3 #ChinaMade #MIC #特斯拉 #中国 $TSLA  https://t.co/8YWfgV0B9x

15842) 0.0) Sneak Preview of the Event Tomorrow at Gigafactory 3. Model Y Program Opening Ceremony and China Made Model 3 Delivery Ceremony.   #Tesla #TeslaChina #ChinaMade #MIC #GF3 #特斯拉 #中国 $TSLA  https://t.co/FpZ7UaEiAt

15843) 0.0) $TSLA PRICE TARGET RAISED TO $315 FROM $290 AT RBC CAPITAL

15844) 0.0) About that billion dollar A/R balance.... $TSLA $TSLAQ

15845) 0.0) Latest from ARK $TSLA $TSLAQ  https://t.co/klSoCf3VRB

15846) 0.0) Official start of Model Y  at Giga3?👍  #Tesla $TSLA   https://t.co/isqEuTVWIw

15847) 0.0) 1 more days to go until the Big Made China 🇨🇳 Model 3 Delivery Event at Tesla Shanghai Gigafactory 3. There is going to be a “one more thing surprise” what do you think it could be?  #Tesla #TeslaChina #GF3 #Gigafactory #MIC #特斯拉 #中国 $TSLA  https://t.co/vUvAZgcOrT

15848) 0.0) Random Shot #9. If you are wondering where the Semi is, it's under that tarp. $tslaQ $TSLA #FremontFollies  https://t.co/2I9lJrtYwz

15849) 0.0) $tsla China expected to sell 300,000 model 3 a year, double Musk goal!  https://t.co/0dzfxnIOWK

15850) 0.0) This is who you’re taking investment advice from. Totally not a cult. Or a marketing department. $TSLAQ $TSLA

15851) 0.0) This doesn’t sound good...and also why other OEM’s don’t make constant changes that alter how a vehicle drives on its customers. $TSLA  https://t.co/V1ZBSsBZpp

15852) 0.0) More tents being set up at Fremont $TSLA

15853) 0.0) @Tesla $tsla GF4 Berlin/Brandenburg final phase layout including completely doubled Central Utility Building, Water Treatment and CELL PRODUCTION with additional employee parking (hidden deeeeep inside one of the planning documents...)  https://t.co/uoVZiIbCKN

15854) 0.0) @Tesla $TSLA GF4 - see ^^^ Thread  @ValueAnalyst1 @Gf4Tesla @gigafactory_4 @Gigafactory4 @vincent13031925 @SteveHamel16 @nextmove_de @mortenlund89 @spotted_model @Model3Owners @TriTexan @TilmanWinkler  @alex_avoigt @28delayslater @cleantechnica @Teslarati @Gfilche @thirdrowtesla  https://t.co/XHZpqzfuIj

15855) 0.0) In the upper right of this photo, you can make out the leaking barrels of Earth saving chemicals.  $tsla

15856) 0.0) Tesla Model Y is now available to order in China. $TSLA  https://t.co/ggcYqA1qlb

15857) 0.0) So many questions about Redwood Materials  - If they aren't doing business with Tesla why locate near the gigafactory? - Do they have any clients?   $TSLA $TSLAQ  https://t.co/fGBXyZLOjz

15858) 0.0) If this Tesla were a mineral it would be Bismuth. Tesla pic provided by @TesLatino #gems #bismuth $tsla  https://t.co/WthOolAlOh

15859) 0.0) Concerns are getting to be increasingly mainstream when Mom sends over a photo from her local paper running an AP story  $TSLA #Autopilot #PredictableAbuse  https://t.co/6VQJAGPexV

15860) 0.0) This year there will be 1,000,000 Teslas with robotaxi capabilities this year. $TSLA

15861) 0.0) Gigafactory 5 to be built in Pakistan.....   $TSLA   https://t.co/TldVMjxHfw

15862) -0.0038) More madness, effectively sanctioned by @NHTSAgov. $tslaQ $TSLA  https://t.co/Oov7zxbl9y

15863) 0.0) It’s not cheap hiring this guy to spread the gospel $TSLA $TSLAQ  https://t.co/7uQdUsuepu

15864) 0.0) This is why I'm shorting more $TSLA on Monday.   (Not investment advice)  $TSLAQ  https://t.co/KqqpnWfNxy

15865) 0.0) It's called $TSLA

15866) 0.0) @Commuternyc Greenlight vs. $TSLA  https://t.co/LO9kDhdHvy

15867) 0.0) Is this your $TSLA analyst @CNBC @business ?  https://t.co/VPvWjWsXw4

15868) 0.0) 2 more days to go until the Big Delivery Event at Tesla Shanghai Gigafactory 3.  #Tesla #TeslaChina #GF3 #Gigafactory #MIC #特斯拉 #中国 $TSLA  https://t.co/6z0uBZ1Bdw

15869) 0.0) Tesla Gigafactory 4 May Produce Vehicles Beyond Model Y and Model 3 $TSLA    https://t.co/6oLBHKOLSp

15870) 0.0) $tsla so many order from China in a minute?  https://t.co/CxZ0BjgUCc

15871) 0.0) Live Video From Tesla Shanghai Gigafactory 3, preparation before the big event in 2 days time. (Video speed 6x) live video from Tesla China 🇨🇳.  #Tesla #TeslaChina #Gigafactory #GF3 #特斯拉 #中国 $TSLA  https://t.co/SBE5NEfdPg

15872) 0.0) Not a cult. It's not a cult, right? $tslaQ $TSLA #psychopath

15873) 0.0) Baby Yoda just experience its first launch  $TSLA

15874) -0.0258) "A woman was seriously injured, according to witnesses. The crash involved a Tesla and Mercury Grand Marquis."  The $TSLA appears to have T-boned the Grand Marquis hitting the drivers side of the car.   https://t.co/zJUaNARySZ  https://t.co/z44o63Svj0

15875) 0.0) Tesla 2021 Vehicle Deliveries:  Fremont/Sparks 750,000+  Giga Shanghai 750,000+  Giga Berlin 400,000 to 500,000  Production ramps are accelerating  $TSLA #NotSellingAShareBefore5000

15876) 0.0) Tesla fans. You’ve got to check out this @realvision show on Tesla from 9 months ago. It’s a classic. - Tesla Stock: Bull Case vs Bear Case | Full Documentary @vincent13031925 @Gfilche @Sofiaan @elonmusk $tsla    https://t.co/5XQuPF6G3B via @YouTube

15877) 0.0) Mark my words:  Tesla will deliver 2M vehicles in 2021.  $TSLA #NotSellingAShareBefore5000

15878) 0.0) $TSLA #TSLA The power of #Fibonacci levels.  https://t.co/UdhDbiUaH5

15879) 0.0) It's razor-sharp summary time! $tslaQ $TSLA #TheTheftLifestyle  https://t.co/AtSko57DLW

15880) 0.0) Tesla Model Y prototype spotted with new wheels 🚙🔋🔌  https://t.co/lUtTPNvymO $TSLA #Tesla #ModelY #EV  https://t.co/SlLXQlKuDd

15881) 0.0) How much $TSLA do you own?

15882) 0.0) Deliveries are not sales. Deliveries are deliveries. And deliveries are undefined. $TSLA  https://t.co/ksgL5q69L9

15883) 0.0) Tesla plans to produce Model 3 in the new European Gigafactory 4  by @EvaFoxU  via @Tesmanian_com   $TSLA #Tesla #GF4 #Germany  https://t.co/CrXCuUG9kH

15884) 0.0) Update on #JeffOsborne at @CowenResearch In light of Jeff's performance covering Tesla, management has enacted a name change.  🤡🤡🤡🤡🤡🤡🤡🤡🤡🤡🤡 #ClownResearch  Below is my artistic rendering of said change  $TSLA $TSLAq #Tesla #Cowenresearch Shout to @anonyx10 for the idea  https://t.co/dvzaBA9iq4

15885) 0.0) Someone converted a Tesla into a HYBRID!   "With a small... engine in the front "frunk" and a significantly smaller and cheaper lithium-ion battery in the vehicle floor...the vehicle would be significantly lighter and only half as expensive. $TSLA $TSLAQ   https://t.co/FWI05vHvZb

15886) 0.0) Tesla starts using AI in Powerwall  $TSLA #NotSellingAShareBefore5000   https://t.co/oyTjZvhri3

15887) 0.0) ⚠️Tesla was expanding its plans for the production capacities of Gigafactory 4⚠️  ‼️Tesla plans to produce Model 3 in the new European Gigafactory‼️  @Tesla @elonmusk 👏🏻 $TSLA #Tesla #TeslaModel3   https://t.co/beYDLI2ijl

15888) 0.0) $TSLA Model 3 deliveries in 2019 were flat to declining in basically every geography outside of the Netherlands.  https://t.co/xb563ZzKmI

15889) 0.0243) @Schuldensuehner $TSLA market cap is 217kUSD per car delivered in 2019. Sales in US$ are down vs 2018 and the company hasn't had a profitable year ever. Smells like a bubble.

15890) 0.0) Tesla filed a new patent "Automotive perforated insulated glass structure"🚘  In the new patent proposes a glass structure that can provide noise absorption and thermal insulation performance🙌🏻  @Tesla @elonmusk   $TSLA #Tesla   https://t.co/X6achINcnO

15891) 0.0) With $TSLA at ATH, $TSLAQ move on to QuakerQ  https://t.co/0hmFmNUq3U

15892) 0.0) My $tsla prediction for 2020:  - S3X from Fremont could stay flat at a total of about 360k  - Y from Fremont could be Battery constraint to 125k in the first year. - 3 from Giga4 might hit 165k.  650k in total +76% YoY.   Sources: My guts.

15893) 0.0) 2) $TSLA is planning for 80K in 2020 output at GF3, I'm told (officially, it's 60K). As of Q3, it appears as though $TSLA already spent $497m of equipment for GF3. The total bill for 150K/year of capacity should be over $700m. That starts to get billed &amp; depreciated as of Q1'20.  https://t.co/oIUstRdaJk

15894) 0.0) By my math, there's about 50,000 $TSLA cars on the road in The Netherlands.  https://t.co/ZyJwKOaANi

15895) 0.0) The official $TSLA Twitter celebrity alignment chart! #Tesla  https://t.co/C1r2dFrLBK

15896) 0.0) About 43-57% for 2019..... as predicted.   (Q1 ‘19 - 17%) $TSLA

15897) 0.0) Quick update: $TSLA EV / EBITDA now sits at 19.5X  https://t.co/O5S0N59TRP

15898) 0.0) But I thought Body Shop repairs would start to be finished in 1 hour per @ElonMusk......not 2.5-3 months later?!?!?  #WhereAreTheParts $TSLA #TeslaServiceIssues  https://t.co/QnktqyzPpZ

15899) 0.0) @danahull How do you justify "back on top -- this time, it seems, with some real staying power."?  The article amounts to "stock price, bro".  $TSLA missed 2019 Street rev ests, earnings ests &amp; hit the low end of unit guidance courtesy of stuffing the Dutch with 17% of 2H 3 production.

15900) -0.0258) Tesla short sellers have lost $900 mil in the first 2 trading days of the year.  According to S3. Long share owners have made billions. $tsla for the long term.

15901) 0.0387) Number of cars produced but not sold by Tesla: 3Q19: 24,286 4Q19: 17,177  Finished goods inventory: 3Q19: $1.583B 4Q19: TBD ($1.120B at 3Q19 average cost)  Average cost per car in finished goods: 3Q19: $65,182 4Q19: TBD  $TSLA $TSLAQ  https://t.co/kcv0E5KAuo

15902) 0.0) $TSLA closes at $442

15903) 0.0) $TSLA bull flag on hourly

15904) 0.0276) We need to start considering the vague possibility that #Tesla Q4 profits could lead to S+P inclusion. Higher than expected S &amp; X deliveries + 7000 deliveries of cars produced in Q3 (potential £350m revenue there with very low capex) could just push $TSLA over the line...

15905) 0.0) Gene Munster: “Something that's having as profound of an impact as electrification &amp; autonomy which Tesla’s doing should be at a base case at a $150B company, so putting that together I think you can build a case for a $900 stock here.”  https://t.co/PENRGKOHnk $TSLA #Tesla #EV  https://t.co/98o0xGEn6I

15906) 0.0) Another day in the new year, another new BEV. Peugeot e-208, first spotted by me outside France today. Planned production: 300k/yr.  340km range (WLTP), 8.1 0-60, 50kWh battery, 80kW charging, starts at €30.450 in Germany (M3 SR+ is €44.390)  $TSLA $TSLAQ  https://t.co/Gf5RunWI1H

15907) 0.0) just did a live reaction to $TSLA Q4 2019 delivery numbers &amp; Gigafactory 3 update (3K/week production!!) w/ @vincent13031925   https://t.co/NYZQsIcbax

15908) 0.0) It’s why they have a block list. 😂 $TSLA  https://t.co/4QuzXonNm4

15909) 0.0) I'm reloading my short position.  On the record!  $371 / $450. $tsla $tslaq

15910) 0.0) To hold $TSLA or buy a Tesla... that is the question

15911) 0.0) Everyone that has reported Tesla delivery numbers has exactly 0 clue if the numbers are comparable to prior periods, yet here we are  Everyone let’s $tsla use them as patsies

15912) 0.0) "This summer, Bertram said he was getting about 240 miles per charge in the Tesla, but that range dropped to about 170 miles in the winter when he needed to use the heater."  $TSLA   https://t.co/7tilFNnixZ

15913) 0.0) Confirmed, the US EV market has shrunk Y/Y! $TSLA $TSLAQ  https://t.co/0875dtwH0R

15914) 0.0) $TSLA might actually be the equivalent of printing money

15915) 0.0) $TSLA up 150% since this tweet:

15916) 0.0) $TSLA up 118% since this tweet:

15917) 0.0) $TSLA up 117% since this tweet:

15918) 0.0) SHORT $TSLA .... 450 is the new peak .... you will not stay long this name or other names into the weekend with all the Middle East sh*t going on ....

15919) 0.0) I should become a #Tesla analyst and also just pull numbers out my butt. Where’s Cowen today? $TSLA  https://t.co/WaVAwuwgGj

15920) 0.0) If Tesla delivers a car on 12/31/19 and it is returned on 1/1/19 is that +1 delivery Q4 -1 delivery Q1? $tsla $tslaq

15921) 0.0) Kicking myself for not buying more Tesla stock back in June! $TSLA

15922) 0.0) #TeslaEffect in full force!!  $TSLA #NotSellingAShareBefore5000

15923) 0.0) #TeslaEffect in full force!!  $TSLA #NotSellingAShareBefore5000

15924) 0.0) #TeslaEffect in full force!!  $TSLA #NotSellingAShareBefore5000

15925) 0.0) Remember this? $TSLA $TSLAQ  https://t.co/5JaBoYy1Gu

15926) 0.0) This never gets old!  $TSLA @Tesla  https://t.co/ZEuf8zsI79

15927) 0.0) 42 Tesla cars sold per hour in 2019  $TSLA

15928) 0.0) #MarketWatch $TSLA rises to record high after electric automaker surpassed 2019 delivery goal.   The carmaker delivered 112,000 electric vehicles in Q4, hitting 367,000 for the year -- above CEO Elon Musk's 360,000 goal.

15929) 0.0) Tesla Deliveries:  112,000 Combined 92,550 Model 3 19,450 Model S/X  ⬆️ 50% Yearly Deliveries  ⬆️ 15% QoQ (Q3 2019)  ⬆️ 23% YoY (Q4 2018)  $TSLA

15930) 0.0) For the year 2019, $TSLA U.S. delivery estimates per InsideEVs  Model 3 158,925 up 13.7% Model X 19,225 down 26.1% Model S 14,100 down 45.2%

15931) 0.0) InsideEVs Q4 2019 $TSLA U.S. sales estimates  Model 3 47,275 down 23% YoY Model X 5,500 down 35% YoY Model S 3,750 down 49% YoY   https://t.co/nis0PCui1T  https://t.co/p8xVW1kReU

15932) 0.0) Can Anyone Think Of A Structurally Unprofitable Company w/ A $80B Market Cap That Doesn’t Have A General Counsel ? $TSLA

15933) 0.0) $TSLA has $5 BILLION in converts on the books that are all in the money.

15934) 0.0) One of these doesn't make sense with the other... $TSLA  https://t.co/pubUpUTSmv

15935) -0.0258) Well, how’d my Q4 $TSLA forecast do? 🤓  S&amp;X 19,450 Act v 19,579 Fcst 0.7% variance  Model 3 92,550 Act v 91,065 Fcst (1.6%) variance  Total 112,000 Act v 110,645 Fcst (1.2%) variance  I should really be a little more bullish... 😉   https://t.co/UoiGWHgeyJ  https://t.co/fOVtkyNAcv

15936) 0.0) Narrator: “He wasn’t”   $TSLA  https://t.co/GxsT6myC0e

15937) 0.0) Something smells fishy   $TSLA  https://t.co/eyrTVqpp2p

15938) 0.0) $TSLA “Short Burn of The Century” Continues..  https://t.co/DQJcAHHQks

15939) 0.0) Remember...$SNAP is my big pick...aside from $TSLA. This is going to be a double at least IMO.

15940) 0.0258) We r looking at $tsla setting the pace for 600$. A matter of time

15941) 0.0) Two years ago Musk said they would sell 500,000 model 3’s this year. They’re only 130,000 short, makes sense the stock should rally.  $TSLA

15942) 0.0) Quick cash-out on $TSLA $3,000+ in 5 minutes .. i got conservative probably cost me another $5,000  https://t.co/YInNDI7u70

15943) 0.0) Jim Cramer: " $TSLA has been able to conquer China."

15944) 0.0) sold my $450 call so now brace yourself for $470 guys $tsla $tslaq

15945) 0.0) $TSLA making new all-time highs in pre-mkt.

15946) 0.0) @ValueAnalyst1 Just a reminder that $TSLA stock today is not a short term price action but a long time @Tesla movement coming to fruition !!!

15947) 0.0) Vehicles delivered per year by Tesla $TSLA  https://t.co/ER6VZv7uYO

15948) 0.0) So $TSLA is surging early

15949) 0.0) Another record quarter for Tesla, 112,000 vehicles delivered for Q4. ~367,500 vehicles for the full 2019 $TSLA  https://t.co/8IBinRXFcE

15950) 0.0) Way to start the day $TSLA UP UP UP !!! RETWEET THIS TO KEEP THE STOCK RISING!!!  https://t.co/hv2oCw1ogB

15951) 0.0) This is 🥜🥜🥜🥜🥜 $tsla  https://t.co/KS971SOlBk

15952) 0.0) Tesla announces record 112,000 vehicle deliveries in Q4 2019. $tsla  📊 👉  https://t.co/Y0KDE6PIT5  https://t.co/jOrVKv6eCz

15953) 0.0) Don't know what to do with all the money you're making from all your Tesla stock?    Start the quarter off by grabbing a CYBER shirt today!   https://t.co/5F9Q9Worcx  #Cybertruck #Tesla $tsla #CYBRTRCK  https://t.co/fMUciurTGn

15954) 0.0) Official media invitation to the China Made Tesla Model 3 Delivery to Customers in China 🇨🇳 at Shanghai Gigafactory 3  Source: @cyfoxcat Tencent Auto Editor-in-chief.  #Tesla #TeslaChina #MIC #Model3 #GF3 #特斯拉 #中国 $TSLA  https://t.co/ksqpvmike0

15955) 0.0) 112,000 deliveries in Q4! We getting $TSLA above $500 today?  https://t.co/2G6pIjGbpF

15956) 0.0) Mark this tweet,  $tsla will touch 500 $ soon.

15957) 0.0) In Q2, $tsla also referenced net orders and backlog  https://t.co/XassyuyMqu

15958) 0.0) $TSLA claimed in its Q3 earnings presentation that it had ~22.5k cars in inventory.  Tesla appears to be sold out almost everywhere  Tesla delivered 7k more cars than it produced in Q4  Where are the ~15.5k inventory cars located?

15959) 0.0) 365,500 cars delivered!!!!!  "In 2019, we delivered approximately 367,500 vehicles, 50% more than the previous year and in line with our full year guidance. "  $TSLA

15960) 0.0) $tsla sold 112k in 4q, they built 104k. Who wants to bet finished goods manages to be higher regardless?

15961) 0.0) Breaking - Tesla $TSLA delivers 367,500 vehicles in 2019

15962) 0.0) $TSLA deliveries  112k total deliveries. 92.5k M3, 19.5k S/X  &lt; 1,000 cars produced in China  https://t.co/kxgTmdb5xO

15963) 0.0) $TSLA   *TESLA 2019 DELIVERIES 367,500, WITHIN 360K-400K GUIDANCE

15964) 0.0) TESLA INC - IN Q4 DELIVERIES OF APPROXIMATELY 112,000 VEHICLES  $TSLA

15965) 0.0) Petrol and diesel car sales down 45% in Norway whilst EV(mainly Tesla) sales go through the roof! 👊 #Tesla $TSLA

15966) 0.0) Todays Aftenposten (largest newspaper in Norway) features:  - Picture of crashed Tesla and self-driving disbelief  - List of BEVs to look out for in 2020 (no Tesla here)  $TSLA $TSLAQ  https://t.co/WQOF2cbqk8

15967) 0.0) Those 15 employees got #musked $tsla  https://t.co/dgXM5VbmrY

15968) 0.0) 3 crashes, 3 deaths raise questions about $TSLA`s Autopilot  https://t.co/Ga80kTPmmj via @Washingtonpost

15969) -0.0258) $TSLA bulls are actually celebrating the 9% price drop for the China-made Model 3. The words "start-up costs" &amp; "yield problems" are non-existent w/in the fanboys' vocabulary. Nor is "bankruptcy", most likely.  https://t.co/HVhZlFEj74

15970) 0.0258) Tesla China Reduces Price for MIC Model 3, Paint and Wheel Options, And Accessories Indicated the Production Rate Started to Reach Economics of Scale.  $TSLA #Tesla #China #MIC #Model3    https://t.co/Zm1JjZ1gNs

15971) 0.0258) This is actually pretty funny. So the lemmings that went to Fremont last night and suffered the cold, only to go home empty handed, are stuck paying $2,000 more than those buying tonight?  $TSLA $TSLAQ

15972) 0.0) Tesla has delivered fifteen (15) China-built Model 3 cars in China so far - total.  $TSLA $TSLAQ

15973) 0.0) @JCOviedo6 $TSLA Flashback: Elon said prices would rise in January in China back on December 11th.    https://t.co/ACuAnbMuSh

15974) 0.0) BREAKING: It’s official here is the post from Tesla 🇨🇳 China Made Tesla Model 3  is 299,050RMB after EV Subsidies.  Here my referral code:  https://t.co/EgUWNW8EMM  #Tesla #TeslaChina #MIC #GF3 #特斯拉 #中国 $TSLA  https://t.co/gJPSi2GBBw

15975) 0.0) BREAKING: China Made Tesla Model 3 price drops to less than 300,000RMB  Today, Tesla announced that the standard range plus Model 3 has a price of 323,800RMB. After subtracting 24,750RMB EV subsidies, the price is 299,905RMB  #Tesla #TeslaChina #MIC #GF3 #特斯拉 #中国 $TSLA  https://t.co/WzElX4xoad

15976) 0.0) Tales From The Toilet.....   $TSLA $TSLAQ   https://t.co/YhmNMm6sbz

15977) 0.0) Question: Did $TSLA complete *one* V3 solar roof project in December? A single verified and completed V3 project anywhere in the US?

15978) 0.0) Canaccord says Tesla is gearing up for an "electric year." The traders weigh in on whether you should ride the $TSLA rally into the new year.  https://t.co/yjPxfIEBun

15979) 0.0) My update post on vaporous solar roof tiles needs to be updated with the updated Musk statements now not happening. Will this ever end? $tsla

15980) 0.0) “Thinking back... It all seems so impossibly different: hundreds of thousands of cars sold, multiple major factories, 45,000 employees, global charging network, &amp; a market cap twice as big as Ford. One of the cars is in f****ing space.” 🗓  https://t.co/nJ3NVa8kLD $TSLA @elonmusk

15981) 0.0) In March 2019 Musk declared that it would be the "year of the solar roof."  In May, he said 1,000 per week would be built in December 2019. Fewer than 100 exist ... anywhere. Fewer than 10 V3’s have been installed. $tsla  https://t.co/vmYO4uqL0g

15982) 0.0) Here are New York State's non-renewal $TSLA registration numbers for December 2019. Perhaps they're still coming in? Most other months have been available by the 2nd of the following month...  https://t.co/MtrbDUhcZR

15983) 0.0) Not a cult at all. $TSLA

15984) 0.0) If Tesla holds at $430... hits 2020 gaap consensus ... and grows EPS by 30% every year thereafter. It’s PE in the year 2030 will be below 20x. $tsla

15985) 0.0258) "Despite the Tesla's weight and power advantage, it was the Taycan that came out on top in the 0-60 sprint. Weird, right? Well, straight-line performance is more than just power and weight,..."  😢 $TSLA $TSLAQ  https://t.co/MyqwRFHxJ3

15986) 0.0) $TSLA delivery numbers coming today after the market closes  https://t.co/bxQXdk5fIc

15987) 0.0) Just checking the $TSLA stock price 1st time today⚡️⚡️⚡️  https://t.co/WAeasK40Lv

15988) 0.0) Tesla Model 3 drives surge in UK’s battery-powered vehicle registrations 🔋📈🇬🇧 “In the 12 mos. leading up to Sept. 2019, Model 3 was the most registered battery electric vehicle in UK. Even though deliveries of vehicle only began in summer of 2019,”  https://t.co/fBtOFtFIGp $TSLA  https://t.co/ZKLx5BQPI4

15989) 0.0) OK.  setting the over/under for $TSLA Q4 deliveries at 107k.  the casino is open.  who wants some action?  https://t.co/qgKcqtvpl1

15990) -0.0258) @RampCapitalLLC $TSLA , honestly. I am ashamed in hindsight.

15991) 0.0) Almost $5 million call option trade in @Tesla @elonmusk  Buyer 5000 $TSLA June $620 calls for $9.20

15992) 0.0) So $tsla- which has never made money on any product it’s sold with full subsidies- will now suddenly make money due to a market shift to EVs which will force more competitors to enter that have access to said subsidies $tsla doesn’t.  Got it.

15993) 0.0) Tesla released Q4 2018 deliveries on January 2, 2019...  ...but in the morning   🤔  $tsla $tslaq

15994) 0.0) Were Tesla's $TSLA Long New Year's Eve Lines the iPhone Effect or a Publicly Stunt?  https://t.co/qvaMvVf2Vy  https://t.co/HaYKRRarrY

15995) 0.0) tfw you're one cent away from filling a $tsla weekly $450c and then the stonk rips  https://t.co/VlICze9LBg

15996) 0.0) Tesla rises amid Canaccord's $515 price target, GF3's mass Model 3 deliveries $TSLA   https://t.co/vLmK8nBp0w

15997) 0.0) Tesla stock $TSLA price target raised to $515 from $375 at Canaccord Genuity   https://t.co/1tXbRHawfX

15998) 0.0) Tesla price target raised to $515 from $375 at Canaccord 🏣📈🎯  https://t.co/urD8KJjyLs $TSLA #Tesla #EV  https://t.co/Ir42sHdgXJ

15999) 0.0) $515 price target on $TSLA 😯

16000) 0.0) Tesla speeding out of the gates into 2020 after Cannacord raised its price target on the electric automaker to $515 from $375 $TSLA  https://t.co/HUh3crePgf

16001) 0.0) The Model 3 is really a computer, an iPad on wheels. The software interface of the tablet seemed very Apple-like; it was not designed by engineers for engineers (something Microsoft would do) but by human beings for human beings. $tsla $tslaq  https://t.co/6I1b8sIU0d  https://t.co/xlX14YMpz0

16002) 0.0) Tesla Price Target Raised to $515.00/Share From $375.00 by Canaccord Genuity. 📈  “...electric vehicle revolution will gather more speed in 2020.” 👊  $TSLA #Tesla  https://t.co/vmCJCMObRi

16003) 0.0) Tesla $TSLA PT Raised to $515 at Canaccord Genuity  On other news- $TSLA shorts  https://t.co/csQnydVQlV

16004) 0.0) Tesla Inc.’s price target was raised by more than $100 at Canaccord Genuity, which wrote that the trend toward electric vehicles “will only accelerate in 2020.” $TSLA  https://t.co/VgUzD8Ttf1

16005) 0.0) Quick Avant-Ski update from 🇪🇺  These #'s are higher than my estimates. Europe could end up in the 34.5-35.5k range.  $TSLA $TSLAQ  https://t.co/riKY4zNX2k

16006) 0.0) $TSLA premarket $423 - funding re-secured! 👏🏻👍🏻

16007) 0.0) $TSLA PT raised to $515 from $375 at Canaccord - keeps Buy rating

16008) 0.0) The Other side of the trade   $TSLA  https://t.co/uDpICgDhTA

16009) 0.0) $TSLA PT RAISED TO $515 FROM $375 AT CANACCORD GENUITY

16010) 0.0) Canaccord raises PT for $TSLA to $515 (from $375) saying, "We believe the trend towards electrification will only accelerate in 2020."

16011) 0.0) $TSLA $TSLAQ China deliveries don’t square up with their GM’s comments regarding production capacity 15 employee deliveries plus the new event on 1/7 vs. production guidance ~ 1,000/wk  Tesla says will start delivering China-made Model 3s to public on...  https://t.co/LYWcaG5eyB

16012) 0.0) $TSLA ASPs &amp; margins on the rise 📈  https://t.co/VJ87wIQsyF

16013) 0.0) $TSLA up $4.20 PM on NTSB probe news. You can't make this up. NTSB can.  $TSLAQ

16014) 0.0) There are 88 #Tesla Model 3's in inventory in the Netherlands rn. Make of this what you will.  $TSLA $TSLAQ

16015) 0.0) ⚠️⚠️ Breaking ⚠️⚠️  Mass Tesla Made-In-China Model 3 Deliveries to Begin on 1Yr Anniversary of Shanghai Gigafactory 3’s Groundbreaking Ceremony  The Real Delivery will start on Jan 7th 2020‼️  $TSLA #Tesla #China #Model3 #MIC   https://t.co/7ghvlmQw8l

16016) 0.0) TESLA Q4 DELIVERY NUMBERS ARE ON THE WAY  Checkout the estimates from  the 🐮🐮🐮and the 🐻🐻🐻  by @tophlars  via @Tesmanian_com   $TSLA #Tesla    https://t.co/kL6JAdmQrr

16017) 0.0) Even Insidevs is getting in on the $tsla crashes   https://t.co/l5COpmYpw5 via @Insideevs

16018) 0.0) $TSLA ETF weightings  Cathie's big bet is paying off.  https://t.co/dhBHujDTSl

16019) 0.0) Ya we did it. #tesla420 #NYE2020 celebration. #Crystal #tesla $tsla  https://t.co/d4fNk0RJdS

16020) -0.0076) Which is really sad for owners as stories of waiting months for an appt. will grow. Those billions that will be spent on faraway factories would have been better spent closer to home. Not doing so really shows its growth at any costs for the sake of $TSLA stock price. Rant done.

16021) 0.0346) When I look to why there are customer service issues at $TSLA, one of the things to look at are job openings at their Service Centers. Without adequate staffing, they're simply not going to be able to Service the growing Units in Operation. Techs/Advisors/Managers/etc. matter.

16022) 0.0) The final consensus estimates of $TSLA Q4 deliveries surveyed by First Principle Investor ᴺᵒᵗ ᶜᶠᵃ: 109,320  Wall Street consensus estimates: 106,163  First Principle Investor ᴺᵒᵗ ᶜᶠᵃ's estimate: 112,420  Actual $TSLA Q4 deliveries: [...]

16023) 0.0258) 😳 Mark Spiegel will likely have to dress like QTR for his next presentation 😬   https://t.co/TdURDdsTfG $TSLA $TSLAQ  https://t.co/aeaLmPSeqV

16024) 0.0) The biggest thing Tesla has going for it - its customers are fanatic about their cars.  I don't know of any other car company (or any company actually) where customers will volunteer their time (as if it was their civil duty) to deliver cars at the quarter end.    $TSLA $TSLAQ

16025) 0.0) What Tesla achieved in 2019   https://t.co/wYTmwpTojH  $TSLA #Tesla  https://t.co/9I8ZAzTTHR

16026) 0.0) Elon Musk delivering $TSLA cars last night.  https://t.co/dHAXZStZoJ

16027) 0.0) Tesla Dominated 🏆Dutch EV Market With Close To 30,000 Model 3 Registered in 2019. @elonmusk   $TSLA #Tesla #Model3 #Netherlands   https://t.co/RPwyocxW7B

16028) 0.0) A year ago, $TSLA 2019 and 2020 average EPS estimates were $6.42 and $10.35; today, they are -$0.75 and $5.45 (per yahoo finance). $TSLAQ.

16029) 0.0) New decade, buy $TSLA

16030) 0.0) 2) I've covered global automakers for 25 years. I know two things: valuation shorts seldom work &amp; $TSLA is the most egregiously over-valued automaker in history. What makes over-valued auto stocks to do down is declining volumes &amp; prices. That's what we're facing in 2020.

16031) 0.0) What a bunch of 🤡 @MorganStanley are!  $TSLA @Tesla

16032) 0.0) I wonder what @elonmusk and @karpathy have planned in order to deal with #tumbleweed?   $TSLA @Tesla

16033) 0.0) Tesla prepares to open R&amp;D office in Israel   by @EvaFoxU  via @Tesmanian_com   $TSLA #Tesla #Israel    https://t.co/lYKElPDS1k

16034) 0.0) Tesla prepares to open Israel R&amp;D office 🇮🇱🙌🏼  $TSLA #Tesla #Israel   https://t.co/axIbBKd1TA

16035) 0.0) $tsla $1,000/share by end of 2020

16036) 0.0) Elsewhere, on the same website, actual informative journalism from @lorakolodny. $tslaQ $TSLA  https://t.co/DQqNkk6I2F

16037) 0.0) In contrast, the Bark Capital fund was up 26.4% in 2019 including all fees and expenses. #LFG 🤟🤟  $TSLA 🥴🤡 $TSLAQ 🤡🥴

16038) 0.0) Three years and 500,000 units later...  0.02% of Model 3 fleet is up for resale  100x smaller than used ICE average  $TSLA #NotSellingAShareBefore5000

16039) 0.0) Mark Spiegel's Stanphyl Capital Fund December results  SC is down 11.4% in December. In 2019 SC is down 6.5% while SP500 is up 31.5% Since July 2011, SC is up 53.7% while SP500 is up 187.5% THE FUND IS DOWN 3rd YEAR IN A ROW  NEVER BET AGAINST ELON  $TSLA $TSLAQ  @ValueAnalyst1

16040) 0.0) $tsla @CGrantWSJ  Can Tesla Hold Its Charge?  https://t.co/KJkkZjIwxn

16041) 0.0) Three mumunicipal vvehicles crashes into by Teslas in three days. $TSLAQ $TSLA  https://t.co/RxnAseoSRM

16042) 0.0) Read this and realize #Tesla will sell over 500k cars this year.   Also, what happened to mark? This info seems so rational. This was 2014  $TSLA  https://t.co/Pekfq9deVp

16043) 0.0) What a piece of news to start the new year with  $TSLA $TSLAQ   https://t.co/pKq8VMQpFP

16044) 0.0) I think Tesla will release delivery numbers this Thursday afternoon $TSLA

16045) 0.0) Postcard from the Real World. $tslaQ $TSLA &gt;series gallery  https://t.co/2SuIMxADiF  https://t.co/bDJBELOLCE

16046) 0.0) Second update in 24hrs  $TSLA  https://t.co/zvV19Ysu0Q

16047) 0.0) SEC to inspect all Domino's Pizza restaurants that involved pepperoni.  $TSLA $TSLAQ @SF_SEC @SEC_Enforcement

16048) 0.0) Last video of 2019🔬🔋⚙️  My theory about $TSLA's upcoming Battery &amp; Powertrain investor day in 2020  Tesla will unveil a 1M mile battery &amp; bring cell production in-house  https://t.co/ELqP0jiiO2

Most of the tweets in neutral are misclassified as VADER stumples on a sentence that is highly context dependent or contains unknown words, weird spacing or use of symbols. As we run through the neutral tweets, we see that a higher proportion of the tweets are positive, rather than negative, when we do our subjective evaluation of the first 300 tweets. The proportion of tweets that are postive are around 170 out of 300 and 100 are negative. 30 tweets we had trouble classifying ourselves. This proportion of positive vs. negative does somewhat correspond to the difference among positive tweets that VADER classified as compared to negative (around 26000 positive vs 14000 negative) If this is the case, we can remove all these neutral tweets, without changing the relative distribution of positive vs negative tweets. We do not wan't to keep that neutral tweets, as these tweets are clearly not neutral overall. The only way to handle these tweets proporly would be to manually label them or improve VADER, which might be very difficult as things like context-specific knowledge of where the stockprice is at the moment would have to be added to VADER's source code.

df = df[df.comp_score != 'neu'].reset_index(drop=True)

Most used words

We tokenize our tweets to be able to create word clouds as well as topics later on.

p.set_options(p.OPT.URL, p.OPT.RESERVED, p.OPT.MENTION, p.OPT.NUMBER, p.OPT.HASHTAG, p.OPT.SMILEY, p.OPT.EMOJI)
def preprocess_tweet_text(tweet):

    tweet = re.sub('TSLA','tesla', tweet)
    tweet = re.sub('tsla','tesla', tweet)
    return tweet
df['clean_tweet'] = df['tweet'].map(p.clean)
df['new_clean'] = df['clean_tweet'].apply(preprocess_tweet_text)
tokens = df['new_clean'].map(lambda row: [tok.lower() for tok in tknzr.tokenize(row) if tok not in stop_words and tok.isalpha() and len(tok) > 2])
df['tokens'] = tokens

We add len(tok) above 2, as we do not wan't words like "I", "a", "it" etc., that don't add to our topics

We lemmatize over stemming, as

def word_lemmatizer(text):
  lem_text = [lemmatizer.lemmatize(i) for i in text]
  return lem_text

df['lemmatized'] = df['tokens'].apply(lambda x: word_lemmatizer(x))
print(df.lemmatized)
0        [the, key, question, liquidity, squeeze, tesla...
1        [tesla, active, fund, manager, buying, remain,...
2        [case, group, hf, buy, entire, free, float, sm...
3        [the, large, special, situation, fund, goldman...
4                           [happy, tesla, inclusion, day]
                               ...                        
40049    [fascinating, month, frivolity, twitter, mess,...
40050    [convinced, army, noobs, soon, learn, meaning,...
40051    [review, bought, year, tesla, started, channel...
40052    [everyone, heard, accountant, joke, answer, qu...
40053    [boom, the, nhtsa, investigate, fatal, dec, te...
Name: lemmatized, Length: 40054, dtype: object

Most frequently used words (lemmatized):

counter= itertools.chain(*df['lemmatized'])
counted_tags = Counter(counter)
counted_tags.most_common()[0:50]
[('tesla', 51004),
 ('teslaq', 6924),
 ('day', 4081),
 ('stock', 4006),
 ('share', 3962),
 ('the', 3796),
 ('like', 3080),
 ('year', 2967),
 ('price', 2869),
 ('car', 2793),
 ('today', 2760),
 ('short', 2737),
 ('market', 2671),
 ('model', 2649),
 ('elon', 2604),
 ('time', 2438),
 ('this', 2322),
 ('new', 2085),
 ('amp', 2013),
 ('company', 2010),
 ('week', 1951),
 ('buy', 1877),
 ('musk', 1830),
 ('going', 1827),
 ('good', 1587),
 ('battery', 1564),
 ('think', 1541),
 ('know', 1425),
 ('people', 1360),
 ('look', 1346),
 ('sell', 1342),
 ('long', 1290),
 ('china', 1239),
 ('right', 1225),
 ('delivery', 1196),
 ('investor', 1194),
 ('month', 1192),
 ('sale', 1187),
 ('need', 1155),
 ('want', 1117),
 ('profit', 1112),
 ('and', 1111),
 ('high', 1080),
 ('money', 1070),
 ('dont', 1033),
 ('way', 1007),
 ('you', 993),
 ('thing', 962),
 ('great', 956),
 ('what', 944)]

Prominent words are tesla (changed from TSLA), teslaq (changed from TSLAQ) which is a group of people that hates Tesla, as well as short, which indicates shorting the stock.

200 most frequent words, positive tweets

df_positive = df[df['comp_score'] == 'pos']
text = df_positive["lemmatized"].to_string()
wordcloud = WordCloud(max_words=50, width = 800, height = 500, 
                background_color ='white', 
                min_font_size = 10, collocations=False).generate(text)

plt.figure(figsize = (8, 8), facecolor = None)
plt.imshow(wordcloud, interpolation='bilinear')
plt.axis("off")
plt.tight_layout(pad = 0) 
plt.show()

200 most frequent words, negative tweets

df_negative = df[df['comp_score'] == 'neg']

text = df_negative["lemmatized"].to_string()
wordcloud = WordCloud(max_words = 50, width = 800, height = 500, 
                background_color ='white', 
                min_font_size = 10, collocations=False).generate(text)

plt.figure(figsize = (8, 8), facecolor = None)
plt.imshow(wordcloud)
plt.axis("off")
plt.tight_layout(pad = 0) 
plt.show()

Topic modelling

In order to see how the sentiment classifier VADER performs at a higher level of abstraction, topic modelling can be used. This provides an easier way of seeing how different topics relate and which topics are classified as negative as compared to positive. We use TF-IDF as a representation of words. We tried a bag-of-word representation, but this did not create as interesting topics. This is likely due to a high term frequency in individually (locally) and a low frequency across all negative or positive tweets, will result in a higher TF-IDF score, whereas the BOW will give a high weight to just frequently appearing words. When a word has a high term frequency(tf) in a given tweet (local parameter) and a low term frequency of the term in the whole collection tweets ( global parameter), it will get a higher score, and we are thereby able to see more distinct words, other than "tesla", "that" etc., that are present in smaller clusters of tweet, that might relate to discussions surrounding specific topics.

dictionary_pos = Dictionary(df_positive['lemmatized'])
dictionary_neg = Dictionary(df_negative['lemmatized'])

dictionary_pos.filter_extremes(no_below=5, no_above=0.5, keep_n=1000)
dictionary_neg.filter_extremes(no_below=5, no_above=0.5, keep_n=1000)
corpus_pos = [dictionary_pos.doc2bow(doc) for doc in df_positive['lemmatized']]
corpus_neg = [dictionary_neg.doc2bow(doc) for doc in df_negative['lemmatized']]
tfidf_pos = TfidfModel(corpus_pos)
tfidf_neg = TfidfModel(corpus_neg)

tfidf_pos = tfidf_pos[corpus_pos]
tfidf_neg = tfidf_neg[corpus_neg]

Positive topics

from gensim.models import CoherenceModel
#Creating an empty set for coherence
coherence = []
#Creating a range
I = range(1,21)
#Iterating over the range to check the coherence for each number of topics
for i in I:
    lda = LdaMulticore(tfidf_pos, id2word=dictionary_pos, num_topics=i)
    coherence_model_lda = CoherenceModel(model=lda, texts=df_positive['lemmatized'].tolist(), dictionary=dictionary_pos, coherence='c_v')
    coherence.append(coherence_model_lda.get_coherence())
#10 is the number that gives a high coherence while not being overwhelmingly high
sns.lineplot(I, coherence)
<matplotlib.axes._subplots.AxesSubplot at 0x7f4c32a43a90>
lda_model_pos = LdaMulticore(tfidf_pos, id2word=dictionary_pos, num_topics=10, workers = 4, passes=1)
lda_model_pos.print_topics(-1)
[(0,
  '0.014*"wow" + 0.012*"today" + 0.011*"teslaq" + 0.009*"the" + 0.007*"well" + 0.007*"year" + 0.007*"love" + 0.007*"stock" + 0.006*"share" + 0.006*"like"'),
 (1,
  '0.010*"model" + 0.009*"teslaq" + 0.008*"car" + 0.008*"elon" + 0.007*"company" + 0.007*"market" + 0.007*"better" + 0.007*"great" + 0.007*"the" + 0.007*"like"'),
 (2,
  '0.011*"short" + 0.010*"right" + 0.010*"like" + 0.009*"teslaq" + 0.008*"share" + 0.008*"time" + 0.008*"the" + 0.008*"year" + 0.007*"earnings" + 0.007*"day"'),
 (3,
  '0.009*"share" + 0.008*"stock" + 0.008*"day" + 0.007*"price" + 0.007*"teslaq" + 0.007*"this" + 0.007*"the" + 0.007*"buy" + 0.006*"ready" + 0.006*"gain"'),
 (4,
  '0.015*"share" + 0.014*"teslaq" + 0.008*"year" + 0.008*"stock" + 0.008*"the" + 0.007*"amp" + 0.007*"price" + 0.007*"market" + 0.006*"like" + 0.006*"day"'),
 (5,
  '0.011*"good" + 0.009*"teslaq" + 0.009*"stock" + 0.008*"like" + 0.007*"month" + 0.007*"day" + 0.007*"car" + 0.006*"number" + 0.006*"price" + 0.006*"china"'),
 (6,
  '0.013*"teslaq" + 0.010*"day" + 0.009*"today" + 0.009*"share" + 0.009*"market" + 0.008*"elon" + 0.008*"lol" + 0.007*"like" + 0.007*"the" + 0.006*"great"'),
 (7,
  '0.012*"share" + 0.009*"secured" + 0.008*"day" + 0.008*"model" + 0.008*"price" + 0.007*"short" + 0.006*"million" + 0.006*"year" + 0.006*"teslaq" + 0.006*"stock"'),
 (8,
  '0.014*"like" + 0.013*"good" + 0.011*"teslaq" + 0.011*"morning" + 0.008*"day" + 0.008*"share" + 0.008*"short" + 0.007*"sell" + 0.006*"model" + 0.006*"price"'),
 (9,
  '0.011*"short" + 0.010*"share" + 0.009*"teslaq" + 0.008*"stock" + 0.008*"time" + 0.007*"buy" + 0.007*"the" + 0.007*"work" + 0.006*"love" + 0.006*"year"')]
lda_display = pyLDAvis.gensim.prepare(lda_model_pos, corpus_pos, dictionary_pos)

pyLDAvis.display(lda_display)

Overall the key tokens seem to be mostly positive. We do see words like "short", "teslaq" - which are a group of tesla haters. This might be a topic regarding the discussion that might happen between tesla investors that are bullish tesla and investors that a bearish tesla. The same goes for some of the other topics, which might be positive investors that use the cashtag "$tslaq", to tell them that they are wrong.

Negative topics

#Creating an empty set for coherence
coherence = []
#Creating a range
I = range(1,21)
#Iterating over the range to check the coherence for each number of topics
for i in I:
    lda = LdaMulticore(tfidf_neg, id2word=dictionary_neg, num_topics=i)
    coherence_model_lda = CoherenceModel(model=lda, texts=df_negative['lemmatized'].tolist(), dictionary=dictionary_neg, coherence='c_v')
    coherence.append(coherence_model_lda.get_coherence())
#8 is the number that gives a high coherence while not being overwhelmingly high
sns.lineplot(I, coherence)
<matplotlib.axes._subplots.AxesSubplot at 0x7f4c2f1b3710>
lda_model_neg = LdaMulticore(tfidf_neg, id2word=dictionary_neg, num_topics=11, workers = 4, passes=1)

lda_model_neg.print_topics(-1)
[(0,
  '0.015*"teslaq" + 0.008*"going" + 0.008*"buy" + 0.007*"stock" + 0.006*"market" + 0.006*"like" + 0.005*"short" + 0.005*"people" + 0.005*"week" + 0.005*"fraud"'),
 (1,
  '0.010*"teslaq" + 0.010*"this" + 0.008*"right" + 0.008*"market" + 0.007*"price" + 0.007*"today" + 0.006*"they" + 0.006*"demand" + 0.006*"car" + 0.006*"stock"'),
 (2,
  '0.015*"shs" + 0.010*"shorted" + 0.009*"short" + 0.008*"teslaq" + 0.008*"day" + 0.007*"model" + 0.006*"week" + 0.006*"like" + 0.006*"know" + 0.006*"price"'),
 (3,
  '0.013*"the" + 0.012*"stock" + 0.010*"teslaq" + 0.009*"elon" + 0.007*"crazy" + 0.007*"musk" + 0.007*"this" + 0.006*"price" + 0.006*"going" + 0.006*"model"'),
 (4,
  '0.012*"teslaq" + 0.009*"day" + 0.008*"the" + 0.007*"musk" + 0.007*"price" + 0.007*"what" + 0.007*"today" + 0.006*"stock" + 0.006*"wrong" + 0.006*"this"'),
 (5,
  '0.010*"teslaq" + 0.009*"day" + 0.009*"today" + 0.007*"the" + 0.007*"short" + 0.007*"elon" + 0.007*"model" + 0.006*"year" + 0.006*"this" + 0.006*"time"'),
 (6,
  '0.013*"short" + 0.011*"teslaq" + 0.008*"car" + 0.008*"this" + 0.007*"amp" + 0.007*"stock" + 0.007*"want" + 0.007*"the" + 0.007*"there" + 0.006*"new"'),
 (7,
  '0.010*"teslaq" + 0.009*"day" + 0.008*"robotaxis" + 0.007*"stock" + 0.006*"year" + 0.006*"short" + 0.006*"elon" + 0.006*"the" + 0.006*"loss" + 0.005*"model"'),
 (8,
  '0.010*"teslaq" + 0.009*"day" + 0.009*"the" + 0.008*"elon" + 0.007*"model" + 0.006*"new" + 0.006*"year" + 0.006*"musk" + 0.006*"car" + 0.005*"week"'),
 (9,
  '0.012*"teslaq" + 0.010*"market" + 0.009*"car" + 0.008*"fraud" + 0.007*"day" + 0.007*"time" + 0.007*"the" + 0.006*"model" + 0.006*"crazy" + 0.006*"stock"'),
 (10,
  '0.010*"teslaq" + 0.010*"elon" + 0.010*"musk" + 0.009*"price" + 0.009*"day" + 0.009*"stock" + 0.008*"fraud" + 0.007*"delivery" + 0.007*"time" + 0.006*"car"')]
lda_display = pyLDAvis.gensim.prepare(lda_model_neg, corpus_neg, dictionary_neg)

pyLDAvis.display(lda_display)

We see more negative words like "fraud", "shorted", "lose", and an overall more negative vibe. This tells us that our sentiment classifier VADER has at least had some success classifying the tweets in a way, that did manage to create different key tokens across the positive and negative topics.

Adding timedelta to tweets and grouping by day

Because Nasdaq closes 21:00 PM UTC, it is likely that tweets published after this time, will only be able to influence the stock price the next day, so in order to compensate for this, we add a timedelta to the tweets of 3 hours, so when NASDAQ closes, the date changes. This is a very simple and basic way, and assumes all trading days have the usual opening hours, but it does solve most of this issue of matching tweets to days.

df['created_at'] = pd.to_datetime(df.created_at)
#we correct this now, by creating a count for positive and negative tweets in the 
#original dataframe.
df.loc[df['comp_score'] =='pos', 'tweet_count_positive'] = 1

df.loc[df['comp_score'] =='neg', 'tweet_count_negative'] = -1
df_grouped_h = df.groupby(pd.Grouper(key='created_at',freq='30min')).sum()
df_grouped_h['date'] = df_grouped_h.index
df_grouped_h['date'] = df_grouped_h['date'] + timedelta(hours=3)
df_grouped_h.iloc[16870:16900]
replies_count retweets_count likes_count tweet_count compound tweet_count_positive tweet_count_negative date
created_at
2020-12-17 11:30:00+00:00 17.0 12.0 160.0 3 1.4616 2.0 -1.0 2020-12-17 14:30:00+00:00
2020-12-17 12:00:00+00:00 16.0 2.0 146.0 4 -0.6964 2.0 -2.0 2020-12-17 15:00:00+00:00
2020-12-17 12:30:00+00:00 10.0 23.0 154.0 3 0.7911 2.0 -1.0 2020-12-17 15:30:00+00:00
2020-12-17 13:00:00+00:00 23.0 22.0 325.0 5 2.4385 5.0 0.0 2020-12-17 16:00:00+00:00
2020-12-17 13:30:00+00:00 10.0 17.0 344.0 5 1.2881 3.0 -2.0 2020-12-17 16:30:00+00:00
2020-12-17 14:00:00+00:00 12.0 3.0 135.0 4 -0.1862 2.0 -2.0 2020-12-17 17:00:00+00:00
2020-12-17 14:30:00+00:00 48.0 23.0 572.0 6 2.9317 5.0 -1.0 2020-12-17 17:30:00+00:00
2020-12-17 15:00:00+00:00 92.0 34.0 800.0 11 1.9181 8.0 -3.0 2020-12-17 18:00:00+00:00
2020-12-17 15:30:00+00:00 58.0 15.0 443.0 8 2.9841 6.0 -2.0 2020-12-17 18:30:00+00:00
2020-12-17 16:00:00+00:00 84.0 33.0 346.0 5 0.0813 3.0 -2.0 2020-12-17 19:00:00+00:00
2020-12-17 16:30:00+00:00 91.0 5.0 535.0 6 1.4239 5.0 -1.0 2020-12-17 19:30:00+00:00
2020-12-17 17:00:00+00:00 289.0 250.0 2820.0 16 2.1175 12.0 -4.0 2020-12-17 20:00:00+00:00
2020-12-17 17:30:00+00:00 62.0 24.0 653.0 6 0.7088 3.0 -3.0 2020-12-17 20:30:00+00:00
2020-12-17 18:00:00+00:00 120.0 94.0 1534.0 18 2.6515 12.0 -6.0 2020-12-17 21:00:00+00:00
2020-12-17 18:30:00+00:00 60.0 12.0 164.0 7 -0.0969 3.0 -4.0 2020-12-17 21:30:00+00:00
2020-12-17 19:00:00+00:00 25.0 31.0 318.0 8 3.5111 7.0 -1.0 2020-12-17 22:00:00+00:00
2020-12-17 19:30:00+00:00 113.0 301.0 2928.0 15 8.0697 15.0 0.0 2020-12-17 22:30:00+00:00
2020-12-17 20:00:00+00:00 67.0 36.0 749.0 10 -1.3144 4.0 -6.0 2020-12-17 23:00:00+00:00
2020-12-17 20:30:00+00:00 170.0 157.0 2921.0 27 9.9324 21.0 -6.0 2020-12-17 23:30:00+00:00
2020-12-17 21:00:00+00:00 96.0 101.0 2148.0 17 3.4683 11.0 -6.0 2020-12-18 00:00:00+00:00
2020-12-17 21:30:00+00:00 21.0 11.0 222.0 5 1.3287 4.0 -1.0 2020-12-18 00:30:00+00:00
2020-12-17 22:00:00+00:00 140.0 15.0 794.0 10 -1.3845 4.0 -6.0 2020-12-18 01:00:00+00:00
2020-12-17 22:30:00+00:00 119.0 47.0 777.0 12 2.1478 8.0 -4.0 2020-12-18 01:30:00+00:00
2020-12-17 23:00:00+00:00 67.0 21.0 285.0 5 0.1430 3.0 -2.0 2020-12-18 02:00:00+00:00
2020-12-17 23:30:00+00:00 72.0 18.0 280.0 2 1.2966 2.0 0.0 2020-12-18 02:30:00+00:00
2020-12-18 00:00:00+00:00 33.0 4.0 73.0 3 -0.1686 2.0 -1.0 2020-12-18 03:00:00+00:00
2020-12-18 00:30:00+00:00 1.0 2.0 27.0 2 0.8200 2.0 0.0 2020-12-18 03:30:00+00:00
2020-12-18 01:00:00+00:00 71.0 42.0 735.0 5 3.1012 5.0 0.0 2020-12-18 04:00:00+00:00
2020-12-18 01:30:00+00:00 97.0 81.0 1469.0 3 1.2224 2.0 -1.0 2020-12-18 04:30:00+00:00
2020-12-18 02:00:00+00:00 2.0 2.0 30.0 1 0.6249 1.0 0.0 2020-12-18 05:00:00+00:00
df_day = df_grouped_h.groupby(pd.Grouper(key='date',freq='1d')).sum()
df_day
replies_count retweets_count likes_count tweet_count compound tweet_count_positive tweet_count_negative
date
2020-01-01 00:00:00+00:00 414.0 653.0 5003.0 76 2.9702 42.0 -34.0
2020-01-02 00:00:00+00:00 454.0 821.0 6273.0 108 14.8880 68.0 -40.0
2020-01-03 00:00:00+00:00 1180.0 2209.0 18289.0 173 36.6589 118.0 -55.0
2020-01-04 00:00:00+00:00 325.0 571.0 3695.0 65 14.3277 42.0 -23.0
2020-01-05 00:00:00+00:00 386.0 959.0 6996.0 63 10.4158 40.0 -23.0
... ... ... ... ... ... ... ...
2020-12-14 00:00:00+00:00 1639.0 766.0 19232.0 182 45.8080 128.0 -54.0
2020-12-15 00:00:00+00:00 1853.0 1016.0 23874.0 221 44.8529 148.0 -73.0
2020-12-16 00:00:00+00:00 2013.0 1031.0 22205.0 192 37.7729 125.0 -67.0
2020-12-17 00:00:00+00:00 1773.0 1383.0 22098.0 233 62.5091 169.0 -64.0
2020-12-18 00:00:00+00:00 925.0 428.0 9020.0 98 21.8282 67.0 -31.0

353 rows × 7 columns

Merging stock data and tweet data

As we need a combined dataframe for backtesting purposes, as well as running a neural net, the dataframe Tesla needs to be merged to df_day. Because twitter is open 24/7 and NASDAQ has specific opening hours, we need to handle the days, which we miss stockdata as well, such as saturdays and sundays.

tesla
Open High Low Close Volume Dividends Stock Splits
Date
2020-01-02 84.90 86.14 84.34 86.05 47660500 0 0.0
2020-01-03 88.10 90.80 87.38 88.60 88892500 0 0.0
2020-01-06 88.09 90.31 88.00 90.31 50665000 0 0.0
2020-01-07 92.28 94.33 90.67 93.81 89410500 0 0.0
2020-01-08 94.74 99.70 93.65 98.43 155721500 0 0.0
... ... ... ... ... ... ... ...
2020-12-14 619.00 642.75 610.20 639.83 52040600 0 0.0
2020-12-15 643.28 646.90 623.80 633.25 45223600 0 0.0
2020-12-16 628.23 632.50 605.00 622.77 42095800 0 0.0
2020-12-17 628.19 658.82 619.50 655.90 56270100 0 0.0
2020-12-18 668.90 695.00 628.54 695.00 222126200 0 0.0

245 rows × 7 columns

df_day['date'] = df_day.index
df_day['date'] = df_day['date'].astype('datetime64[ns]')
df_day = df_day.set_index('date')
df_combined = df_day.merge(tesla, how='outer', left_index=True, right_index=True)
df_combined = df_combined.fillna(method='ffill')
df_combined.dropna(inplace=True)
df_combined.rename(columns={'Close': 'close'}, inplace=True)
df_combined['weekday'] = ((pd.DatetimeIndex(df_combined.index).dayofweek) // 5 == 1).astype(float)
df_combined
replies_count retweets_count likes_count tweet_count compound tweet_count_positive tweet_count_negative Open High Low close Volume Dividends Stock Splits weekday
2020-01-02 454.0 821.0 6273.0 108 14.8880 68.0 -40.0 84.90 86.14 84.34 86.05 47660500.0 0.0 0.0 0.0
2020-01-03 1180.0 2209.0 18289.0 173 36.6589 118.0 -55.0 88.10 90.80 87.38 88.60 88892500.0 0.0 0.0 0.0
2020-01-04 325.0 571.0 3695.0 65 14.3277 42.0 -23.0 88.10 90.80 87.38 88.60 88892500.0 0.0 0.0 1.0
2020-01-05 386.0 959.0 6996.0 63 10.4158 40.0 -23.0 88.10 90.80 87.38 88.60 88892500.0 0.0 0.0 1.0
2020-01-06 390.0 665.0 5384.0 81 10.9749 47.0 -34.0 88.09 90.31 88.00 90.31 50665000.0 0.0 0.0 0.0
... ... ... ... ... ... ... ... ... ... ... ... ... ... ... ...
2020-12-14 1639.0 766.0 19232.0 182 45.8080 128.0 -54.0 619.00 642.75 610.20 639.83 52040600.0 0.0 0.0 0.0
2020-12-15 1853.0 1016.0 23874.0 221 44.8529 148.0 -73.0 643.28 646.90 623.80 633.25 45223600.0 0.0 0.0 0.0
2020-12-16 2013.0 1031.0 22205.0 192 37.7729 125.0 -67.0 628.23 632.50 605.00 622.77 42095800.0 0.0 0.0 0.0
2020-12-17 1773.0 1383.0 22098.0 233 62.5091 169.0 -64.0 628.19 658.82 619.50 655.90 56270100.0 0.0 0.0 0.0
2020-12-18 925.0 428.0 9020.0 98 21.8282 67.0 -31.0 668.90 695.00 628.54 695.00 222126200.0 0.0 0.0 0.0

352 rows × 15 columns

df_combined.loc[df_combined['weekday'] == 1,['close','Volume']] = np.nan
def curve_function(df):
  """ This function creates our concave values in the Close column. """
  for i in df.columns:
      while df[i].isna().sum() > 0:
          for j in range(df.shape[0]):
              if pd.isnull(df.loc[j,i]):
                  seq_k = [j]
                  k = j
                  while pd.isnull(df.loc[k,i]):
                      k = k + 1
                      seq_k.append(k)
                  if len(seq_k) % 2 == 0:
                      df.loc[seq_k[int((len(seq_k) - 1)/2)],i] = (df.loc[j - 1,i] + df.loc[seq_k[len(seq_k) - 1],i])/2
                  else:
                      df.loc[seq_k[int((len(seq_k) - 1)/2)],i] = (df.loc[j - 1,i] + df.loc[seq_k[len(seq_k) - 1],i])/2
              else:
                  df.loc[j,i] = df.loc[j,i]
  return(df)
weekday = []
for i in range(df_combined.shape[0]):
    if pd.isna(df_combined.iloc[i]['close']):
        weekday.append(0)
    else:
        weekday.append(1)
weekday = []
for i in range(df_combined.shape[0]):
    if pd.isna(df_combined.iloc[i]['Volume']):
        weekday.append(0)
    else:
        weekday.append(1)
df_combined['date'] = df_combined.index

df_combined.reset_index(inplace=True)
df_net_curve = df_combined.pipe(curve_function)
 
df_net_curve.head()
index replies_count retweets_count likes_count tweet_count compound tweet_count_positive tweet_count_negative Open High Low close Volume Dividends Stock Splits weekday date
0 2020-01-02 454.0 821.0 6273.0 108 14.8880 68.0 -40.0 84.90 86.14 84.34 86.0500 47660500.0 0.0 0.0 0.0 2020-01-02
1 2020-01-03 1180.0 2209.0 18289.0 173 36.6589 118.0 -55.0 88.10 90.80 87.38 88.6000 88892500.0 0.0 0.0 0.0 2020-01-03
2 2020-01-04 325.0 571.0 3695.0 65 14.3277 42.0 -23.0 88.10 90.80 87.38 89.0275 79335625.0 0.0 0.0 1.0 2020-01-04
3 2020-01-05 386.0 959.0 6996.0 63 10.4158 40.0 -23.0 88.10 90.80 87.38 89.4550 69778750.0 0.0 0.0 1.0 2020-01-05
4 2020-01-06 390.0 665.0 5384.0 81 10.9749 47.0 -34.0 88.09 90.31 88.00 90.3100 50665000.0 0.0 0.0 0.0 2020-01-06
df_combined = pd.concat([df_net_curve,pd.Series(weekday,name='weekday')], axis=1)
df_combined.head()
index replies_count retweets_count likes_count tweet_count compound tweet_count_positive tweet_count_negative Open High Low close Volume Dividends Stock Splits weekday date weekday
0 2020-01-02 454.0 821.0 6273.0 108 14.8880 68.0 -40.0 84.90 86.14 84.34 86.0500 47660500.0 0.0 0.0 0.0 2020-01-02 1
1 2020-01-03 1180.0 2209.0 18289.0 173 36.6589 118.0 -55.0 88.10 90.80 87.38 88.6000 88892500.0 0.0 0.0 0.0 2020-01-03 1
2 2020-01-04 325.0 571.0 3695.0 65 14.3277 42.0 -23.0 88.10 90.80 87.38 89.0275 79335625.0 0.0 0.0 1.0 2020-01-04 0
3 2020-01-05 386.0 959.0 6996.0 63 10.4158 40.0 -23.0 88.10 90.80 87.38 89.4550 69778750.0 0.0 0.0 1.0 2020-01-05 0
4 2020-01-06 390.0 665.0 5384.0 81 10.9749 47.0 -34.0 88.09 90.31 88.00 90.3100 50665000.0 0.0 0.0 0.0 2020-01-06 1

We now have implemented a function that looks at a given day x and adds the next day y that NASDAQ has open and divides this by 2: (x+y)/2, which means that in the weekends, this function will add fridays stock price to mondays stockprice and divide these by two. Both saturday and sunday will be filled with this value.

Tweet sentiment vs. stock price

With the dataframes merged, tweets matched in time and handling of days where NASDAQ is closed, we can now begin to look into how tweet sentiments and tweets relate:

x7=df_combined.date
y7=df_combined['tweet_count_positive']
x8=df_combined.date
y8=-(df_combined['tweet_count_negative'])
x9= df_combined.date
y9= df_combined.tweet_count_positive + df_combined.tweet_count_negative 
x_t = df_combined.date
y_t = df_combined.close

#amount of tweets
fig, axs = plt.subplots(3,figsize=(14,8))
axs[0].plot(x7,y7)
axs[0].plot(x_t, y_t)
axs[1].plot(x8,y8)
axs[1].plot(x_t, y_t)
axs[2].plot(x9,y9)
axs[2].plot(x_t, y_t)
axs[0].set_title('Aktiepris (grøn) og antal af positive tweets (blå)')
axs[1].set_title('Aktiepris (grøn) og antal af negative tweets (blå)')
axs[2].set_title('Positive tweets minus negative')
idx = pd.date_range('2020-01-01', '2020-12-18')
s = pd.Series(np.random.randn(len(idx)), index=idx)
plt.tight_layout()

This plot indicates clear spikes in stockprice when many positive tweets occur. There are also minor falls in stock price, when the negative tweets are high and outweighs or almost outweighs the positive tweets.

Next we can look into a smaller period of time, namely a thirty day period

df_30 = df_combined.iloc[303:333]
x10 = df_30.date
y10 = df_30.tweet_count_positive
x11 = df_30.date
y11 = -df_30.tweet_count_negative
x12 = df_30.date
y12 = df_30.close
x13 = df_30.date
y13 = df_30.tweet_count_positive + df_30.tweet_count_negative
fig, axs = plt.subplots(3,figsize=(14,8))
axs[0].plot(x10,y10)
axs[0].plot(x12,y12)
axs[1].plot(x11,y11)
axs[1].plot(x12, y12)
axs[2].plot(x13,y13)
axs[2].plot(x12,y12)
axs[0].set_title('Aktiepris (grøn) og antal af positive tweets (blå)')
axs[1].set_title('Aktiepris (grøn) og antal af negative tweets (blå)')
axs[2].set_title('Positive minus negative tweets')
idx = pd.date_range('2020-01-01', '2020-12-18')
s = pd.Series(np.random.randn(len(idx)), index=idx)
plt.tight_layout()

Backtesting

We implement three trading strategies that we backtest.

1. Buy/hold strategy

This strategy is a simple buy/hold strategy where we buy on the 2nd of january 2020 and hold it until the last date of our dataframe which is 18th of december 2020.

We have 100.000 USD to invest and we will now calculate the return.

tesla.rename(columns={'Close': 'close'}, inplace=True)
buy_hold = tesla[['close']]
cash = 100000
buy_price = buy_hold['close'][0]
buy_hold['holdings'] = round(cash / buy_price)
buy_hold['value'] = buy_hold['close'] * buy_hold['holdings']
buy_hold['return'] = (buy_hold['value'].pct_change()[1:] + 1).cumprod()
buy_hold_value = buy_hold['value'][-1]
print('Our buy/hold strategy would give us a return of: ' + str(round(buy_hold['return'][-1] * 100)) + '%')
Our buy/hold strategy would give us a return of: 808.0%

2. Simple moving average strategy

First a basic strategy based of different moving averages.

tsla = tesla[['close']]
strat_1 = backtest('smac', tsla, fast_period=10, slow_period=60, commission=0)
strat_2 = backtest('smac', tsla, fast_period=15, slow_period=75, commission=0)
strat_3 = backtest('smac', tsla, fast_period=10, slow_period=30, commission=0)
strat_4 = backtest('smac', tsla, fast_period=5, slow_period=15, commission=0)
Starting Portfolio Value: 100000.00
2020-12-18, ===Global level arguments===
2020-12-18, init_cash : 100000
2020-12-18, buy_prop : 1
2020-12-18, sell_prop : 1
2020-12-18, commission : 0
2020-12-18, stop_loss : 0
2020-12-18, stop_trail : 0
===Strategy level arguments===
fast_period : 10
slow_period : 60
2020-12-18, Final Portfolio Value: 418444.93999999994
2020-12-18, Final PnL: 318444.94
Time used (seconds): 0.07355594635009766
==================================================
Number of strat runs: 1
Number of strats per run: 1
Strat names: ['smac']
**************************************************
--------------------------------------------------
Strategy Parameters	init_cash:100000	buy_prop:1	sell_prop:1	commission:0	stop_loss:0	stop_trail:0	execution_type:close	channel:	symbol:	allow_short:False	short_max:1.5	add_cash_amount:0	add_cash_freq:M	fast_period:10	slow_period:60
Returns	rtot:1.431375130172489	ravg:0.005842347470091792	rnorm:3.3591259298717717	rnorm100:335.91259298717716
Sharpe	sharperatio:None
Drawdown	len:0	drawdown:0.0	moneydown:0.0	max:AutoOrderedDict([('len', 59), ('drawdown', 33.721354502031325), ('moneydown', 112465.59000000003)])
Timedraw	maxdrawdown:33.721354502031325	maxdrawdownperiod:59
Optimal parameters:	init_cash:100000	buy_prop:1	sell_prop:1	commission:0	stop_loss:0	stop_trail:0	execution_type:close	channel:	symbol:	allow_short:False	short_max:1.5	add_cash_amount:0	add_cash_freq:M	fast_period:10	slow_period:60
Optimal metrics:	rtot:1.431375130172489	ravg:0.005842347470091792	rnorm:3.3591259298717717	rnorm100:335.91259298717716	len:0	drawdown:0.0	moneydown:0.0	max:AutoOrderedDict([('len', 59), ('drawdown', 33.721354502031325), ('moneydown', 112465.59000000003)])	maxdrawdown:33.721354502031325	maxdrawdownperiod:59	sharperatio:None	pnl:318444.94	final_value:418444.93999999994
Starting Portfolio Value: 100000.00
2020-12-18, ===Global level arguments===
2020-12-18, init_cash : 100000
2020-12-18, buy_prop : 1
2020-12-18, sell_prop : 1
2020-12-18, commission : 0
2020-12-18, stop_loss : 0
2020-12-18, stop_trail : 0
===Strategy level arguments===
fast_period : 15
slow_period : 75
2020-12-18, Final Portfolio Value: 491586.08999999997
2020-12-18, Final PnL: 391586.09
Time used (seconds): 0.5435464382171631
==================================================
Number of strat runs: 1
Number of strats per run: 1
Strat names: ['smac']
**************************************************
--------------------------------------------------
Strategy Parameters	init_cash:100000	buy_prop:1	sell_prop:1	commission:0	stop_loss:0	stop_trail:0	execution_type:close	channel:	symbol:	allow_short:False	short_max:1.5	add_cash_amount:0	add_cash_freq:M	fast_period:15	slow_period:75
Returns	rtot:1.592466895941384	ravg:0.006499864881393404	rnorm:4.1446942974276535	rnorm100:414.4694297427653
Sharpe	sharperatio:None
Drawdown	len:0	drawdown:0.0	moneydown:0.0	max:AutoOrderedDict([('len', 56), ('drawdown', 33.71419377566371), ('moneydown', 118853.76999999999)])
Timedraw	maxdrawdown:33.71419377566371	maxdrawdownperiod:56
Optimal parameters:	init_cash:100000	buy_prop:1	sell_prop:1	commission:0	stop_loss:0	stop_trail:0	execution_type:close	channel:	symbol:	allow_short:False	short_max:1.5	add_cash_amount:0	add_cash_freq:M	fast_period:15	slow_period:75
Optimal metrics:	rtot:1.592466895941384	ravg:0.006499864881393404	rnorm:4.1446942974276535	rnorm100:414.4694297427653	len:0	drawdown:0.0	moneydown:0.0	max:AutoOrderedDict([('len', 56), ('drawdown', 33.71419377566371), ('moneydown', 118853.76999999999)])	maxdrawdown:33.71419377566371	maxdrawdownperiod:56	sharperatio:None	pnl:391586.09	final_value:491586.08999999997
Starting Portfolio Value: 100000.00
2020-12-18, ===Global level arguments===
2020-12-18, init_cash : 100000
2020-12-18, buy_prop : 1
2020-12-18, sell_prop : 1
2020-12-18, commission : 0
2020-12-18, stop_loss : 0
2020-12-18, stop_trail : 0
===Strategy level arguments===
fast_period : 10
slow_period : 30
2020-12-18, Final Portfolio Value: 378797.44000000006
2020-12-18, Final PnL: 278797.44
Time used (seconds): 0.10372328758239746
==================================================
Number of strat runs: 1
Number of strats per run: 1
Strat names: ['smac']
**************************************************
--------------------------------------------------
Strategy Parameters	init_cash:100000	buy_prop:1	sell_prop:1	commission:0	stop_loss:0	stop_trail:0	execution_type:close	channel:	symbol:	allow_short:False	short_max:1.5	add_cash_amount:0	add_cash_freq:M	fast_period:10	slow_period:30
Returns	rtot:1.3318314171172572	ravg:0.005436046600478601	rnorm:2.9348932112596855	rnorm100:293.48932112596856
Sharpe	sharperatio:None
Drawdown	len:0	drawdown:0.0	moneydown:0.0	max:AutoOrderedDict([('len', 67), ('drawdown', 33.71986648970083), ('moneydown', 114987.24000000005)])
Timedraw	maxdrawdown:33.71986648970083	maxdrawdownperiod:67
Optimal parameters:	init_cash:100000	buy_prop:1	sell_prop:1	commission:0	stop_loss:0	stop_trail:0	execution_type:close	channel:	symbol:	allow_short:False	short_max:1.5	add_cash_amount:0	add_cash_freq:M	fast_period:10	slow_period:30
Optimal metrics:	rtot:1.3318314171172572	ravg:0.005436046600478601	rnorm:2.9348932112596855	rnorm100:293.48932112596856	len:0	drawdown:0.0	moneydown:0.0	max:AutoOrderedDict([('len', 67), ('drawdown', 33.71986648970083), ('moneydown', 114987.24000000005)])	maxdrawdown:33.71986648970083	maxdrawdownperiod:67	sharperatio:None	pnl:278797.44	final_value:378797.44000000006
Starting Portfolio Value: 100000.00
2020-12-18, ===Global level arguments===
2020-12-18, init_cash : 100000
2020-12-18, buy_prop : 1
2020-12-18, sell_prop : 1
2020-12-18, commission : 0
2020-12-18, stop_loss : 0
2020-12-18, stop_trail : 0
===Strategy level arguments===
fast_period : 5
slow_period : 15
2020-12-18, Final Portfolio Value: 472916.96
2020-12-18, Final PnL: 372916.96
Time used (seconds): 0.11463308334350586
==================================================
Number of strat runs: 1
Number of strats per run: 1
Strat names: ['smac']
**************************************************
--------------------------------------------------
Strategy Parameters	init_cash:100000	buy_prop:1	sell_prop:1	commission:0	stop_loss:0	stop_trail:0	execution_type:close	channel:	symbol:	allow_short:False	short_max:1.5	add_cash_amount:0	add_cash_freq:M	fast_period:5	slow_period:15
Returns	rtot:1.5537496268376367	ravg:0.006341835211582191	rnorm:3.9438405742099683	rnorm100:394.38405742099684
Sharpe	sharperatio:None
Drawdown	len:0	drawdown:0.0	moneydown:0.0	max:AutoOrderedDict([('len', 76), ('drawdown', 34.35735923043108), ('moneydown', 157340.20000000007)])
Timedraw	maxdrawdown:34.35735923043108	maxdrawdownperiod:76
Optimal parameters:	init_cash:100000	buy_prop:1	sell_prop:1	commission:0	stop_loss:0	stop_trail:0	execution_type:close	channel:	symbol:	allow_short:False	short_max:1.5	add_cash_amount:0	add_cash_freq:M	fast_period:5	slow_period:15
Optimal metrics:	rtot:1.5537496268376367	ravg:0.006341835211582191	rnorm:3.9438405742099683	rnorm100:394.38405742099684	len:0	drawdown:0.0	moneydown:0.0	max:AutoOrderedDict([('len', 76), ('drawdown', 34.35735923043108), ('moneydown', 157340.20000000007)])	maxdrawdown:34.35735923043108	maxdrawdownperiod:76	sharperatio:None	pnl:372916.96	final_value:472916.96
print('Strategy 1 would give us a return of: ' + str(round(strat_1['final_value'] / strat_1['init_cash'] *100)) + '%')
print('Strategy 2 would give us a return of: ' + str(round(strat_2['final_value'] / strat_2['init_cash'] *100)) + '%')
print('Strategy 3 would give us a return of: ' + str(round(strat_3['final_value'] / strat_3['init_cash'] *100)) + '%')
print('Strategy 4 would give us a return of: ' + str(round(strat_4['final_value'] / strat_4['init_cash'] *100)) + '%')
Strategy 1 would give us a return of: 0    418.0
dtype: float64%
Strategy 2 would give us a return of: 0    492.0
dtype: float64%
Strategy 3 would give us a return of: 0    379.0
dtype: float64%
Strategy 4 would give us a return of: 0    473.0
dtype: float64%

3. Strategy based off twitterdata

We have 3 hypothesis as to to what data fram twitter we can use for our trading strategy.

  1. The first hypothethis is that we can use the compound score (sentiment) to determine wether we should buy or sell the stock. The logic here is the same as in the moving average. We try to smooth out the sentiment for the tesla data by creating a constantly updated average sentiment. The logic is that we can see when the sentiment shifts from being positive to negatve and vice verca and this will create a buy/sell signal.

  2. The second hypothethis is that we use the amount of negative and positive tweet as we think this could create a buy/sell signall aswell.

  3. The third hypothethis is that we use the total amount of tweets pr. day to give us buy/sell signals.

comp_short_window = 5
comp_long_window = 25

comp_short = pd.DataFrame()
comp_short['score'] = df_combined['compound'].rolling(window= comp_short_window).mean() #using 5 days
comp_short
score
0 NaN
1 NaN
2 NaN
3 NaN
4 17.45306
... ...
347 37.60390
348 35.10000
349 37.20410
350 43.93874
351 42.55422

352 rows × 1 columns

comp_long = pd.DataFrame()
comp_long['score'] = df_combined['compound'].rolling(window=comp_long_window).mean() # using 20 days
comp_long
score
0 NaN
1 NaN
2 NaN
3 NaN
4 NaN
... ...
347 37.961352
348 38.916684
349 39.606428
350 41.444708
351 40.096776

352 rows × 1 columns

plt.figure(figsize=(12.5 , 4.5))
plt.plot(df_combined['close'], label ='stockprice')
plt.plot(comp_short['score']*5, label = 'compound shortterm')
plt.plot(comp_long['score']*5, label = 'compound longterm')
plt.title('price history')
plt.xlabel('jan. 01 - dec 18')
plt.ylabel('Close price $')
plt.legend(loc='upper left')
plt.show()
strategy_1 = pd.DataFrame()
strategy_1['short'] = comp_short['score']
strategy_1['long'] = comp_long['score']
strategy_1['tsla'] = df_combined['close']
strategy_1
short long tsla
0 NaN NaN 86.0500
1 NaN NaN 88.6000
2 NaN NaN 89.0275
3 NaN NaN 89.4550
4 17.45306 NaN 90.3100
... ... ... ...
347 37.60390 37.961352 639.8300
348 35.10000 38.916684 633.2500
349 37.20410 39.606428 622.7700
350 43.93874 41.444708 655.9000
351 42.55422 40.096776 695.0000

352 rows × 3 columns

def buy_sell(df):
  
  """Function that creats buy and sell signals when moving average crosses eachother."""
  sigPriceBuy = []
  sigPriceSell = []
  flag = -1

  for i in range(len(df)):
    if df['short'][i] > df['long'][i]:
      if flag != 1:
        sigPriceBuy.append(df['tsla'][i])
        sigPriceSell.append(np.nan)
        flag = 1
      else:
        sigPriceBuy.append(np.nan)
        sigPriceSell.append(np.nan)
    elif df['short'][i] < df['long'][i]:
      if flag != 0:
        sigPriceBuy.append(np.nan)
        sigPriceSell.append(df['tsla'][i])
        flag = 0
      else:
        sigPriceBuy.append(np.nan)
        sigPriceSell.append(np.nan)
    else:
      sigPriceBuy.append(np.nan)
      sigPriceSell.append(np.nan)

  return (sigPriceBuy, sigPriceSell)
buy_sell = buy_sell(strategy_1)
strategy_1['Buy_Signal_Price'] = buy_sell[0]
strategy_1['Sell_Signal_Price'] = buy_sell[1]
plt.figure(figsize=(12.6, 4.6))
plt.plot(strategy_1['tsla'], label ='tesla')
plt.plot(comp_short['score'], label = 'comp_short')
plt.plot(comp_long['score'], label = 'comp_long')
plt.scatter(strategy_1.index, strategy_1['Buy_Signal_Price'], label = 'Køb', marker = '^', color='green')
plt.scatter(strategy_1.index, strategy_1['Sell_Signal_Price'], label = 'Salg', marker = 'v', color='red')
plt.title('Køb og salg baseret på Compound')
plt.xlabel('01-01-2020 til 18-12-2020 (i antal dage)')
plt.ylabel('Close price $')
plt.legend(loc='upper left')
plt.show()
# Initialize the `signals` DataFrame with the `signal` column
signals = pd.DataFrame(index=strategy_1.index)
signals['signal'] = 1.0
signals['short'] = strategy_1['short']
signals['long'] = strategy_1['long']
signals['signal'][comp_short_window:] = np.where(signals['short'][comp_short_window:] 
                                            > signals['long'][comp_short_window:], 1.0, 0.0) 
signals['positions'] = signals['signal'].diff()
initial_capital= float(0)

# Create a DataFrame `positions`
positions = pd.DataFrame(index=signals.index).fillna(0.0)
# Buy buy 100 shares
positions['TSLA'] = 100*signals['signal']
portfolio = positions.multiply(strategy_1['tsla'], axis=0)

# Store the difference in shares owned 
pos_diff = positions.diff()

# Add `holdings` to portfolio
portfolio['holdings'] = (positions.multiply(strategy_1['tsla'], axis=0)).sum(axis=1)

# Add `cash` to portfolio
portfolio['cash'] = initial_capital - (pos_diff.multiply(strategy_1['tsla'], axis=0)).sum(axis=1).cumsum()  

# Add `total` to portfolio
portfolio['total'] = portfolio['cash'] + portfolio['holdings']

# Add `returns` to portfolio
portfolio['returns'] = portfolio['total'].pct_change()
portfolio['cumulative_ret'] = (portfolio['returns'] + 1).cumprod() 
# Create a figure
fig = plt.figure()

ax1 = fig.add_subplot(111, ylabel='Portfolio value in $')

# Plot the equity curve in dollars
portfolio['total'].plot(ax=ax1, lw=2.)

ax1.plot(portfolio.loc[signals.positions == 1.0].index, 
         portfolio.total[signals.positions == 1.0],
         '^', markersize=10, color='m')
ax1.plot(portfolio.loc[signals.positions == -1.0].index, 
         portfolio.total[signals.positions == -1.0],
         'v', markersize=10, color='k')

# Show the plot
plt.show()
print('strategy based on twitter compound score would give us a return of:' + str(round(portfolio['cumulative_ret'][351] * 100)) + '%')
strategy based on twitter compound score would give us a return of:683.0%

2. Buy sell based on negative and positive tweets

strategy_2_short = 3
strategy_2_long = 20

#Storing the averages in a df
strategy_2 = pd.DataFrame()
strategy_2['long'] = df_combined['tweet_count_positive'].rolling(window= strategy_2_long).mean() 
strategy_2['short'] = -df_combined['tweet_count_negative'].rolling(window=strategy_2_short).mean() # Describe why positive is long and not short
strategy_2['tsla'] = df_combined['close']
strategy_2.head()
long short tsla
0 NaN NaN 86.0500
1 NaN NaN 88.6000
2 NaN 39.333333 89.0275
3 NaN 33.666667 89.4550
4 NaN 26.666667 90.3100
def buy_sell_2(df):
  
  """Function that creats buy and sell signals when moving average crosses eachother."""
  sigPriceBuy = []
  sigPriceSell = []
  flag = -1

  for i in range(len(df)):
    if df['short'][i] > df['long'][i]:
      if flag != 1:
        sigPriceBuy.append(df['tsla'][i])
        sigPriceSell.append(np.nan)
        flag = 1
      else:
        sigPriceBuy.append(np.nan)
        sigPriceSell.append(np.nan)
    elif df['short'][i] < df['long'][i]:
      if flag != 0:
        sigPriceBuy.append(np.nan)
        sigPriceSell.append(df['tsla'][i])
        flag = 0
      else:
        sigPriceBuy.append(np.nan)
        sigPriceSell.append(np.nan)
    else:
      sigPriceBuy.append(np.nan)
      sigPriceSell.append(np.nan)

  return (sigPriceBuy, sigPriceSell)
buy_sell_2 = buy_sell_2(strategy_2)
strategy_2['buy_signal_price'] = buy_sell_2[0]
strategy_2['sell_signal_price'] = buy_sell_2[1]
plt.figure(figsize=(12.6, 4.6))
plt.plot(strategy_2['tsla'], label ='tesla')
plt.plot(strategy_2['short'], label = 'short')
plt.plot(strategy_2['long'], label = 'long')
plt.scatter(strategy_2.index, strategy_2['buy_signal_price'], label = 'Køb', marker = '^', color='green')
plt.scatter(strategy_2.index, strategy_2['sell_signal_price'], label = 'Salg', marker = 'v', color='red')
plt.title('Køb og salg baseret på antal positive/negative tweets')
plt.xlabel('01-01-2020 til 18-12-2020 (i antal dage)')
plt.ylabel('Close price $')
plt.legend(loc='upper left')
plt.show()
# Initialize the `signals` DataFrame with the `signal` column
signals_2 = pd.DataFrame(index=strategy_2.index)
signals_2['signal'] = 1.0

# Create short & long simple moving average over the comp score
signals_2['short'] = strategy_2['short']
signals_2['long'] = strategy_2['long']

# Create signal
signals_2['signal'][strategy_2_short:] = np.where(signals_2['short'][strategy_2_short:] 
                                            < signals_2['long'][strategy_2_short:], 1.0, 0.0) 
# Generate trading orders
signals_2['positions'] = signals_2['signal'].diff()
positions_2 = pd.DataFrame(index=signals_2.index).fillna(0.0)
# Buy buy 100 shares
positions_2['TSLA'] = 100*signals_2['signal']
portfolio_2 = positions_2.multiply(strategy_2['tsla'], axis=0)

# Store the difference in shares owned 
pos_diff_2 = positions_2.diff()

# Add `holdings` to portfolio
portfolio_2['holdings'] = (positions_2.multiply(strategy_2['tsla'], axis=0)).sum(axis=1)

# Add `cash` to portfolio
portfolio_2['cash'] = initial_capital - (pos_diff_2.multiply(strategy_2['tsla'], axis=0)).sum(axis=1).cumsum()  

# Add `total` to portfolio
portfolio_2['total'] = portfolio_2['cash'] + portfolio_2['holdings']

# Add `returns` to portfolio
portfolio_2['returns'] = portfolio_2['total'].pct_change()

portfolio_2['cumulative_ret'] = (portfolio_2['returns'] + 1).cumprod() 
fig = plt.figure()

ax1 = fig.add_subplot(111, ylabel='Portfolio value in $')

# Plot the equity curve in dollars
portfolio_2['total'].plot(ax=ax1, lw=2.)

ax1.plot(portfolio_2.loc[signals_2.positions == 1.0].index, 
         portfolio_2.total[signals_2.positions == 1.0],
         '^', markersize=10, color='m')
ax1.plot(portfolio_2.loc[signals_2.positions == -1.0].index, 
         portfolio_2.total[signals_2.positions == -1.0],
         'v', markersize=10, color='k')

# Show the plot
plt.show()
print('strategy based on negative and positive tweets score would give us a return of:' + str(round(portfolio_2['cumulative_ret'][351] * 100)) + '%')
strategy based on negative and positive tweets score would give us a return of:817.0%
strategy_3_short = 5
strategy_3_long = 30

#Storing the averages in a df
strategy_3 = pd.DataFrame()
strategy_3['short'] = df_combined['tweet_count'].rolling(window= strategy_3_short).mean() 
strategy_3['long'] = df_combined['tweet_count'].rolling(window=strategy_3_long).mean() 
strategy_3['tsla'] = df_combined['close']
strategy_3.head()
short long tsla
0 NaN NaN 86.0500
1 NaN NaN 88.6000
2 NaN NaN 89.0275
3 NaN NaN 89.4550
4 98.0 NaN 90.3100
def buy_sell_3(df):
  
  """Function that creats buy and sell signals when moving average crosses eachother."""
  sigPriceBuy = []
  sigPriceSell = []
  flag = -1

  for i in range(len(df)):
    if df['short'][i] > df['long'][i]:
      if flag != 1:
        sigPriceBuy.append(df['tsla'][i])
        sigPriceSell.append(np.nan)
        flag = 1
      else:
        sigPriceBuy.append(np.nan)
        sigPriceSell.append(np.nan)
    elif df['short'][i] < df['long'][i]:
      if flag != 0:
        sigPriceBuy.append(np.nan)
        sigPriceSell.append(df['tsla'][i])
        flag = 0
      else:
        sigPriceBuy.append(np.nan)
        sigPriceSell.append(np.nan)
    else:
      sigPriceBuy.append(np.nan)
      sigPriceSell.append(np.nan)

  return (sigPriceBuy, sigPriceSell)
buy_sell_3 = buy_sell_3(strategy_3)
strategy_3['buy_signal_price'] = buy_sell_3[0]
strategy_3['sell_signal_price'] = buy_sell_3[1]

plt.figure(figsize=(12.6, 4.6))
plt.plot(strategy_3['tsla'], label ='tesla')
plt.plot(strategy_3['short'], label = 'short')
plt.plot(strategy_3['long'], label = 'long')
plt.scatter(strategy_3.index, strategy_3['buy_signal_price'], label = 'Køb', marker = '^', color='green')
plt.scatter(strategy_3.index, strategy_3['sell_signal_price'], label = 'Salg', marker = 'v', color='red')
plt.title('Køb og salg baseret på antal tweets')
plt.xlabel('01-01-2020 til 18-12-2020 (i antal dage)')
plt.ylabel('Close price $')
plt.legend(loc='upper left')
plt.show()
signals_3 = pd.DataFrame(index=strategy_2.index)
signals_3['signal'] = 1.0

# Create short & long simple moving average over the comp score
signals_3['short'] = strategy_3['short']
signals_3['long'] = strategy_3['long']

# Create signal
signals_3['signal'][strategy_3_short:] = np.where(signals_3['short'][strategy_3_short:] 
                                            > signals_3['long'][strategy_3_short:], 1.0, 0.0) 
# Generate trading orders
signals_3['positions'] = signals_3['signal'].diff()
positions_3 = pd.DataFrame(index=signals_3.index).fillna(0.0)
# Buy buy 100 shares
positions_3['TSLA'] = 100*signals_3['signal']
portfolio_3 = positions_3.multiply(strategy_3['tsla'], axis=0)

# Store the difference in shares owned 
pos_diff_3 = positions_3.diff()

# Add `holdings` to portfolio
portfolio_3['holdings'] = (positions_3.multiply(strategy_3['tsla'], axis=0)).sum(axis=1)

# Add `cash` to portfolio
portfolio_3['cash'] = initial_capital - (pos_diff_3.multiply(strategy_3['tsla'], axis=0)).sum(axis=1).cumsum()  

# Add `total` to portfolio
portfolio_3['total'] = portfolio_3['cash'] + portfolio_3['holdings']

# Add `returns` to portfolio
portfolio_3['returns'] = portfolio_3['total'].pct_change()

portfolio_3['cumulative_ret'] = (portfolio_3['returns'] + 1).cumprod() 
fig = plt.figure()

ax1 = fig.add_subplot(111, ylabel='Portfolio value in $')

# Plot the equity curve in dollars
portfolio_3['total'].plot(ax=ax1, lw=2.)

ax1.plot(portfolio_3.loc[signals_3.positions == 1.0].index, 
         portfolio_3.total[signals_3.positions == 1.0],
         '^', markersize=10, color='m')
ax1.plot(portfolio_3.loc[signals_3.positions == -1.0].index, 
         portfolio_3.total[signals_3.positions == -1.0],
         'v', markersize=10, color='k')

# Show the plot
plt.show()
print('strategy based on negative and positive tweets score would give us a return of:' + str(round(portfolio_3['cumulative_ret'][351] * 100)) + '%')
strategy based on negative and positive tweets score would give us a return of:648.0%

Neural net

In order to see whether or not positive and negative tweets counts can be used for forecasting, we implement two LSTM's, one that predicts based upon closing price, volume, high and low price. Another is trained on the same stock data, but on top of that the positive and negative tweet count is included, in order to see if it provides any improvement to the RMSE-score. The used algorithm is LSTM, which stands for Long-short term memory, which is demonstrated by Jin, Yang & Liu (2019) to be a viable choice when predicting stock prices based upon stock data and sentiment analysis. The implemented LSTM's are very basic in structure, and only serve to demonstrate if incorporation of our twitter sentiment data improves the model performance. This may indicate that twitter sentiments can be viable for stock forecasting, even though our sentiment classification is far from perfect.

We forecast one day ahead, based upon five days of prior data, and run this as a loop over the entire dataframe. This is chosen as the performance improved, when we shortened the data we used as input to forecast on. 1 day ahead follows what Jin, Yang and Liu (2019) did, and is a logical choice as one day is the nearest, we can forecast ahead in time, and therefore reduces the uncertainty compared to forecasting 2 or more days ahead.

The models are trained using a batch_size = 1, as the data it is given is minimal. To keep things equal the models are given "Closing price", "High" and "Low". "Volume" and other stock data generally decreased performance. On top of model 1 is given, model 2 is given tweet_count_negative and tweet_count_positive. Both models are run for 30 epochs, to keep things the same. While overfitting is technically a thing, what is crucial here is how well the model predicts one day ahead for data it has not seen before, which is what we asks the models to do for 19-12-2020.

Model 1- only stock data

df_combined.set_index('index', inplace=True)
df_net = df_combined[['close', 'High', 'Low']]
close_scaler = MinMaxScaler(feature_range=(-1,1))
df_scaler = MinMaxScaler(feature_range=(-1,1))
close_scaler.fit(df_net[['close']])
#fitting and creating a new dataframe with the scaled values.
df = pd.DataFrame(df_scaler.fit_transform(df_net), columns=df_net.columns, index=df_net.index)
df.dropna(inplace=True)
#input days to predict on
n_input = 5
#days to output:
n_output = 1
#number of features to use:
n_features=df.shape[1]
#predict 10 days out in the future.

def split_sequence(values, n_input, n_output):

  #creating a list for X and y
  X, y = [], []

  for i in range(len(values)):

        
        # the index + n_input (90) defines the end of the sequence
        end = i + n_input
        # the out_end defines the output (10) we want to predict 
        out = end + n_output
      
        #Stopping the loop, if we don't have enough data to predict on
        if out > len(values):
            break
        #creating two sequences, where x_val contains past prices and variables,
        #and y_val contains the prices we want to predict
        x_val= values[i:end, :]
        y_val = values[end:out, 0]

        
        X.append(x_val)
        y.append(y_val)
    
  return np.array(X), np.array(y)
def validater(n_input, n_output):
 
 #first we create an empty df to store our predictions in:
  predictions = pd.DataFrame(index=df.index, columns=[df.columns[0]])
 
  for i in range(n_input, len(df)-n_input, n_output):
    # Rolling intervals:
    a = df[-i - n_input:-i]
 
    # Predicting using rolling intervals
    pred_y = model.predict(np.array(a).reshape(1, n_input, n_features))
 
    # Transforming values back to their normal prices
    pred_y = close_scaler.inverse_transform(pred_y)[0]
 
    # DF to store the values and append later, frequency uses business days
    pred_df = pd.DataFrame(pred_y, 
                           index = pd.date_range(start=a.index[-1], 
                                                       periods=len(pred_y)),
                           columns = [a.columns[0]])
    # Updating the predictions DF
    predictions.update(pred_df)
 
  return predictions
def val_rmse(df1, df2):
  df=df1.copy()

  df['close2'] = df2.close

  df.dropna(inplace=True)

  df['diff'] = df.close - df.close2

  rms = (df[['diff']]**2).mean()

  return float(np.sqrt(rms)) 
X, y = split_sequence(df.to_numpy(), n_input, n_output)
early_stop = tf.keras.callbacks.EarlyStopping(monitor='val_loss', patience=10, restore_best_weights=True)
model = Sequential()
model.add(LSTM(128, activation='tanh', return_sequences=True, input_shape=(n_input, n_features)))
model.add(LSTM(128, activation='tanh', return_sequences=True))
model.add(LSTM(64, activation='tanh'))
model.add(Dense(n_output))
model.compile(optimizer='adam', loss='mse')
model.summary()

model.fit(X,y, epochs=30, batch_size=1, validation_split=0.1)
Model: "sequential"
_________________________________________________________________
Layer (type)                 Output Shape              Param #   
=================================================================
lstm (LSTM)                  (None, 5, 128)            67584     
_________________________________________________________________
lstm_1 (LSTM)                (None, 5, 128)            131584    
_________________________________________________________________
lstm_2 (LSTM)                (None, 64)                49408     
_________________________________________________________________
dense (Dense)                (None, 1)                 65        
=================================================================
Total params: 248,641
Trainable params: 248,641
Non-trainable params: 0
_________________________________________________________________
Epoch 1/30
312/312 [==============================] - 7s 11ms/step - loss: 0.0475 - val_loss: 0.0202
Epoch 2/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0060 - val_loss: 0.0780
Epoch 3/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0047 - val_loss: 0.0234
Epoch 4/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0046 - val_loss: 0.0574
Epoch 5/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0061 - val_loss: 0.0571
Epoch 6/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0045 - val_loss: 0.0631
Epoch 7/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0051 - val_loss: 0.0975
Epoch 8/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0037 - val_loss: 0.0519
Epoch 9/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0029 - val_loss: 0.0583
Epoch 10/30
312/312 [==============================] - 3s 8ms/step - loss: 0.0031 - val_loss: 0.0569
Epoch 11/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0027 - val_loss: 0.0263
Epoch 12/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0026 - val_loss: 0.0379
Epoch 13/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0022 - val_loss: 0.0759
Epoch 14/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0019 - val_loss: 0.2008
Epoch 15/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0020 - val_loss: 0.0153
Epoch 16/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0027 - val_loss: 0.0149
Epoch 17/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0025 - val_loss: 0.0430
Epoch 18/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0022 - val_loss: 0.0701
Epoch 19/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0018 - val_loss: 0.0508
Epoch 20/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0020 - val_loss: 0.0307
Epoch 21/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0017 - val_loss: 0.0562
Epoch 22/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0018 - val_loss: 0.0567
Epoch 23/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0016 - val_loss: 0.0366
Epoch 24/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0022 - val_loss: 0.0612
Epoch 25/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0016 - val_loss: 0.0727
Epoch 26/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0019 - val_loss: 0.0537
Epoch 27/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0016 - val_loss: 0.1067
Epoch 28/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0021 - val_loss: 0.0588
Epoch 29/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0021 - val_loss: 0.0720
Epoch 30/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0021 - val_loss: 0.0342
<tensorflow.python.keras.callbacks.History at 0x7f4c2d254cc0>
loss_per_epoch = model.history.history['loss']
plt.plot(range(len(loss_per_epoch)),loss_per_epoch);
actual = pd.DataFrame(close_scaler.inverse_transform(df[['close']]), index=df.index, columns=[df.columns[0]])
predictions = validater(n_input, n_output)
 
# Printing the RMSE
print("RMSE:", val_rmse(actual, predictions))
    
# Plotting
plt.figure(figsize=(16,6))
 
# Plotting those predictions
plt.plot(predictions, label='Predicted')
 
# Plotting the actual values
plt.plot(actual, label='Actual')
 
plt.title("Predicted vs Actual Closing Prices")
plt.ylabel("Price")
plt.legend()
plt.show()
RMSE: 16.692328468656257
tesla_now
Open High Low Close Volume Dividends Stock Splits
Date
2020-12-18 668.90 695.00 628.54 695.00 222126200 0 0
2020-12-21 666.24 668.50 646.07 649.86 58045300 0 0
2020-12-22 648.00 649.88 614.23 640.34 51716000 0 0
2020-12-23 632.20 651.50 622.57 645.98 33173000 0 0
2020-12-24 642.99 666.09 641.00 661.77 22865600 0 0
2020-12-28 674.51 681.40 660.80 663.69 32278600 0 0
2020-12-29 661.00 669.90 655.00 665.99 22910800 0 0
2020-12-30 672.00 696.60 668.36 694.78 42846000 0 0
2020-12-31 699.99 718.72 691.12 705.67 49570900 0 0
periods= 10
pred_y_10 = model.predict(np.array(df.tail(n_input)).reshape(1, n_input, n_features))
#inverse transform to get the unscaled value:
pred_y_10 = close_scaler.inverse_transform(pred_y_10)[0]
df
close High Low
index
2020-01-02 -0.955649 -0.983160 -0.949001
2020-01-03 -0.947460 -0.967982 -0.938113
2020-01-04 -0.946087 -0.967982 -0.938113
2020-01-05 -0.944714 -0.967982 -0.938113
2020-01-06 -0.941968 -0.969578 -0.935893
... ... ... ...
2020-12-14 0.822821 0.829813 0.934317
2020-12-15 0.801689 0.843330 0.983024
2020-12-16 0.768033 0.796427 0.915694
2020-12-17 0.874430 0.882156 0.967624
2020-12-18 1.000000 1.000000 1.000000

352 rows × 3 columns

preds = pd.DataFrame(pred_y_10, index=pd.date_range(start=df.index[-1]+timedelta(days=1),periods=len(pred_y_10)), columns=[df.columns[0]])
preds
close
2020-12-19 590.352234

This model does not perform very well. Given the stock price on the 19th is a weekend, the model should have approximated (friday_price+monday_price)/2, given our previous assumptions. This price is roughly (695+650)/2 = 672,5.

Model 2 - twitter data

df_net = df_combined[['close', 'High', 'Low', 'tweet_count_positive', 'tweet_count_negative']]
close_scaler.fit(df_net[['close']])
df = pd.DataFrame(df_scaler.fit_transform(df_net), columns=df_net.columns, index=df_net.index)
close_scaler = MinMaxScaler(feature_range=(-1,1))
df_scaler = MinMaxScaler(feature_range=(-1,1))
close_scaler.fit(df_net[['close']])
#fitting and creating a new dataframe with the scaled values.
df = pd.DataFrame(df_scaler.fit_transform(df_net), columns=df_net.columns, index=df_net.index)
df.dropna(inplace=True)
#input days to predict on
n_input = 5
#days to output:
n_output = 1
#number of features to use:
n_features=df.shape[1]
X, y = split_sequence(df.to_numpy(), n_input, n_output)
model = Sequential()
model.add(LSTM(128, activation='tanh', return_sequences=True, input_shape=(n_input, n_features)))
model.add(LSTM(128, activation='tanh', return_sequences=True))
model.add(LSTM(64, activation='tanh'))
model.add(Dense(n_output))
model.compile(optimizer='adam', loss='mse')
model.summary()

model.fit(X,y, epochs=30, batch_size=1, validation_split=0.1)
Model: "sequential_1"
_________________________________________________________________
Layer (type)                 Output Shape              Param #   
=================================================================
lstm_3 (LSTM)                (None, 5, 128)            68608     
_________________________________________________________________
lstm_4 (LSTM)                (None, 5, 128)            131584    
_________________________________________________________________
lstm_5 (LSTM)                (None, 64)                49408     
_________________________________________________________________
dense_1 (Dense)              (None, 1)                 65        
=================================================================
Total params: 249,665
Trainable params: 249,665
Non-trainable params: 0
_________________________________________________________________
Epoch 1/30
312/312 [==============================] - 7s 10ms/step - loss: 0.0469 - val_loss: 0.0196
Epoch 2/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0062 - val_loss: 0.0172
Epoch 3/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0057 - val_loss: 0.0266
Epoch 4/30
312/312 [==============================] - 3s 8ms/step - loss: 0.0054 - val_loss: 0.0695
Epoch 5/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0051 - val_loss: 0.0637
Epoch 6/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0042 - val_loss: 0.0959
Epoch 7/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0046 - val_loss: 0.0587
Epoch 8/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0043 - val_loss: 0.1132
Epoch 9/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0046 - val_loss: 0.0546
Epoch 10/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0037 - val_loss: 0.0431
Epoch 11/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0029 - val_loss: 0.0301
Epoch 12/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0023 - val_loss: 0.0691
Epoch 13/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0020 - val_loss: 0.0225
Epoch 14/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0022 - val_loss: 0.0490
Epoch 15/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0022 - val_loss: 0.0439
Epoch 16/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0020 - val_loss: 0.0595
Epoch 17/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0031 - val_loss: 0.0323
Epoch 18/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0019 - val_loss: 0.0381
Epoch 19/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0015 - val_loss: 0.0700
Epoch 20/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0017 - val_loss: 0.0123
Epoch 21/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0023 - val_loss: 0.0641
Epoch 22/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0026 - val_loss: 0.0447
Epoch 23/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0017 - val_loss: 0.0569
Epoch 24/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0021 - val_loss: 0.0590
Epoch 25/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0022 - val_loss: 0.0973
Epoch 26/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0029 - val_loss: 0.0653
Epoch 27/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0016 - val_loss: 0.0506
Epoch 28/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0024 - val_loss: 0.0454
Epoch 29/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0015 - val_loss: 0.0605
Epoch 30/30
312/312 [==============================] - 2s 7ms/step - loss: 0.0013 - val_loss: 0.0457
<tensorflow.python.keras.callbacks.History at 0x7f4c2651c630>
loss_per_epoch = model.history.history['loss']
plt.plot(range(len(loss_per_epoch)),loss_per_epoch);
actual = pd.DataFrame(close_scaler.inverse_transform(df[['close']]), index=df.index, columns=[df.columns[0]])
predictions = validater(n_input, n_output)
 
# Printing the RMSE
print("RMSE:", val_rmse(actual, predictions))
    
# Plotting
plt.figure(figsize=(16,6))
 
# Plotting those predictions
plt.plot(predictions, label='Predicted')
 
# Plotting the actual values
plt.plot(actual, label='Actual')
 
plt.title("Predicted vs Actual Closing Prices")
plt.ylabel("Price")
plt.legend()
plt.show()
RMSE: 17.88384314479172
pred_y_10 = model.predict(np.array(df.tail(n_input)).reshape(1, n_input, n_features))
#inverse transform to get the unscaled value:
pred_y_10 = close_scaler.inverse_transform(pred_y_10)[0]
preds = pd.DataFrame(pred_y_10, index=pd.date_range(start=df.index[-1]+timedelta(days=1),periods=len(pred_y_10)), columns=[df.columns[0]])
preds
close
2020-12-19 568.987366